#!/usr/bin/env python
from __future__ import print_function
import platform
import sys
import os
import locale
import glob
from time import time
import multiprocessing
import warnings
warnings.simplefilter(action='ignore')
import logging
logger = logging.getLogger()
logger.setLevel(logging.CRITICAL)
import codecs
import tarfile
from smart_open import smart_open
import requests
import bs4
from bs4 import BeautifulSoup
import urllib
from urllib.request import urlopen
from random import sample, shuffle
from itertools import groupby
from more_itertools import unique_everseen
from operator import itemgetter
from collections import namedtuple, defaultdict, OrderedDict, Counter
import numpy as np
import pandas as pd
import re
import regex
import string
import textwrap
from textwrap import fill
#import pycontractions
#from pycontractions import Contractions
import autocorrect
from autocorrect import spell
import textacy
from textacy.preprocess import remove_punct
import spacy
from spacy.tokenizer import Tokenizer
import nltk
from nltk.corpus import sentiwordnet as swn
from nltk.sentiment.vader import SentimentIntensityAnalyzer
nltk.downloader.download('vader_lexicon')
import afinn
from afinn import Afinn
import pattern
from pattern.en import sentiment #, mood, modality
import gensim
from gensim import corpora, models, similarities
from gensim.corpora import Dictionary
from gensim.models import Doc2Vec
import gensim.models.doc2vec
from gensim.models.doc2vec import TaggedDocument
#must pip install testfixtures
from gensim.test.test_doc2vec import ConcatenatedDoc2Vec
import statsmodels
import statsmodels.api as sm
import imblearn
from imblearn.over_sampling import SMOTE, ADASYN
import sklearn
from sklearn.linear_model import LogisticRegression
from sklearn import metrics
from sklearn.metrics import classification_report, confusion_matrix, accuracy_score
import keras
from keras import backend as K
from keras.preprocessing import sequence
from keras.models import Sequential
from keras.layers import Dense#, Flatten
from keras.layers.embeddings import Embedding
from keras.callbacks import ModelCheckpoint, EarlyStopping
import matplotlib
import matplotlib.pyplot as plt
from matplotlib.gridspec import GridSpec
%matplotlib inline
import seaborn as sns
import plotly
from plotly import tools
import plotly.plotly as py
import plotly.graph_objs as go
import plotly.figure_factory as ff
from plotly.offline import download_plotlyjs, init_notebook_mode, plot, iplot
#connects JS to notebook so plots work inline
init_notebook_mode(connected=True)
import cufflinks as cf
#allow offline use of cufflinks
cf.go_offline()
[nltk_data] Downloading package vader_lexicon to [nltk_data] C:\Users\jkras\AppData\Roaming\nltk_data... [nltk_data] Package vader_lexicon is already up-to-date!
#environment and package versions
print('\n')
print("_"*70)
print('The environment and package versions used in this script are:')
print('\n')
print(platform.platform())
print('Python', sys.version)
print('OS', os.name)
print('Beautiful Soup', bs4.__version__)
print('Urllib', urllib.request.__version__)
print('Regex', re.__version__)
print('Numpy', np.__version__)
print('Pandas', pd.__version__)
print('Textacy', textacy.__version__)
print('SpaCy', spacy.__version__)
print('NLTK', nltk.__version__)
print('Pattern', pattern.__version__)
print('Gensim', gensim.__version__)
print('StatsModels', statsmodels.__version__)
print('ImbLearn', imblearn.__version__)
print('Sklearn', sklearn.__version__)
print('Keras', keras.__version__)
print('Matplotlib', matplotlib.__version__)
print('Seaborn', sns.__version__)
print('Plotly', plotly.__version__)
print('Cufflinks', cf.__version__)
print('\n')
print("~"*70)
print('\n')
______________________________________________________________________ The environment and package versions used in this script are: Windows-10-10.0.17134-SP0 Python 3.6.6 |Anaconda custom (64-bit)| (default, Jun 28 2018, 11:27:44) [MSC v.1900 64 bit (AMD64)] OS nt Beautiful Soup 4.6.0 Urllib 3.6 Regex 2.2.1 Numpy 1.15.4 Pandas 0.22.0 Textacy 0.6.2 SpaCy 2.0.12 NLTK 3.2.2 Pattern 3.6 Gensim 3.6.0 StatsModels 0.8.0 ImbLearn 0.3.3 Sklearn 0.19.1 Keras 2.1.5 Matplotlib 2.2.2 Seaborn 0.7.1 Plotly 2.2.2 Cufflinks 0.12.1 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
# Convert text to lower-case and strip punctuation/symbols from words
def normalize_text(text):
norm_text = text.lower()
# Replace breaks with spaces
norm_text = norm_text.replace('<br />', ' ')
# Pad punctuation with spaces on both sides
norm_text = re.sub(r"([\.\",\(\)!\?;:])", " \\1 ", norm_text)
return norm_text
def logistic_predictor_from_data(train_targets, train_regressors):
"""Fit a statsmodel logistic predictor on supplied data"""
logit = sm.Logit(train_targets, train_regressors)
predictor = logit.fit(disp=0)
# print(predictor.summary())
return predictor
def error_rate_for_model(test_model, train_set, test_set,
reinfer_train=False, reinfer_test=False,
infer_steps=None, infer_alpha=None, infer_subsample=0.2):
"""Report error rate on test_doc sentiments, using supplied model and train_docs"""
train_targets = [doc.sentiment for doc in train_set]
if reinfer_train:
train_regressors = [test_model.infer_vector(doc.words, steps=infer_steps, alpha=infer_alpha) for doc in train_set]
else:
train_regressors = [test_model.docvecs[doc.tags[0]] for doc in train_set]
train_regressors = sm.add_constant(train_regressors)
predictor = logistic_predictor_from_data(train_targets, train_regressors)
test_data = test_set
if reinfer_test:
if infer_subsample < 1.0:
test_data = sample(test_data, int(infer_subsample * len(test_data)))
test_regressors = [test_model.infer_vector(doc.words, steps=infer_steps, alpha=infer_alpha) for doc in test_data]
else:
test_regressors = [test_model.docvecs[doc.tags[0]] for doc in test_set]
test_regressors = sm.add_constant(test_regressors)
# Predict & evaluate
test_predictions = predictor.predict(test_regressors)
corrects = sum(np.rint(test_predictions) == [doc.sentiment for doc in test_data])
errors = len(test_predictions) - corrects
error_rate = float(errors) / len(test_predictions)
return (error_rate, errors, len(test_predictions), predictor)
def get_movie_reviews(soup_broth, n_reviews_per_movie=1):
print('Retrieving all baseline URLs... \n')
base_urls = [ ("https://www.imdb.com" + tag.attrs['href'], tag.text.replace('\n',' ') )
for tag in soup_broth.findAll('a', attrs={'href': re.compile("^/title/.*_tt")}) ]
print('Retrieved all second-level URLs... \n')
level_2_urls = []
for url, title in base_urls:
soup = BeautifulSoup(urlopen(url).read(), 'html.parser')
update_url = [("https://www.imdb.com" + tag.attrs['href'])
for tag in soup.findAll('a', attrs={'href': re.compile("^/title/.*tt_urv")})]
level_2_urls.append((update_url[0], title))
print('Retrieved all third-level URLs... \n')
level_3_urls = []
for url, title in level_2_urls:
soup = BeautifulSoup(urlopen(url).read(), 'html.parser')
update_url = [("https://www.imdb.com" + tag.attrs['href'])
for tag in soup.findAll('a', attrs={'href': re.compile("^/review/.*tt_urv")})[:(n_reviews_per_movie*2)]]
update_url = list(unique_everseen(update_url))
for i in update_url:
level_3_urls.append((i, title))
print('Retrieved all fourth-level URLs... \n')
level_4_urls = []
for url, title in level_3_urls:
soup = BeautifulSoup(urlopen(url).read(), 'html.parser')
update_url = [("https://www.imdb.com" + soup.find('a', href=re.compile("^/review/.*rw_urv"))['href'])]
level_4_urls.append((update_url[0], title))
print('Retrieved all fifth-level URLs... \n')
level_5_text = []
for url, title in level_4_urls:
soup = BeautifulSoup(urlopen(url).read(), 'html.parser')
review_text = [(soup.find('div', {'class' : re.compile("^text")}).text)]
span = soup.find('span', attrs={'rating-other-user-rating'})
if span != None:
stars = str(span.find('span').text).strip()
else:
stars = 5
level_5_text.append((review_text[0], title, stars))
print('All reviews retrieved! \n')
return level_5_text
def clean_component(review, stop_words, tokenizer, puncts):
"""Text Cleaner: Tokenize, Remove Stopwords, Punctuation, Lemmatize, Spell Correct, Lowercase"""
#rev_contract_exp = list(contract_model.expand_texts([review], precise=True))
doc_tok = tokenizer(review)
doc_lems = [tok.lemma_ for tok in doc_tok
if (tok.text not in stop_words
and tok.text not in puncts
and tok.pos_ != "PUNCT" and tok.pos_ != "SYM")]
lem_list = [re.search(r'\(?([0-9A-Za-z-]+)\)?', tok).group(1)
if '-' in tok
else spell(remove_punct(tok))
for tok in doc_lems]
doc2vec_input = [t.lower() for tok in lem_list
for t in tok.split()
if t.lower() not in stop_words]
return doc2vec_input
def get_tagged_documents(input_review_texts, stop_words, tokenizer, puncts, sentence_labeler):
print('Creating Tagged Documents... \n')
all_content = []
j=0
for rev, ttl, strz in input_review_texts:
print('Cleaning review #{} \n'.format(j+1))
clean_rev = clean_component(rev, stop_words, tokenizer, puncts)
print('The number of stars for this review is: {}'.format(strz))
all_content.append(sentence_labeler(clean_rev, [tuple([ttl, float(strz)])]))
j += 1
print('Total Number of Movie Review Document Vectors: ', j)
return all_content
def pattern_sentiment(review, threshold=0.1, verbose=False):
analysis = sentiment(review)
sentiment_score = round(analysis[0], 3)
sentiment_subjectivity = round(analysis[1], 3)
final_sentiment = 'positive' if sentiment_score >= threshold else 'negative'
sent_binary = 1 if sentiment_score >= threshold else 0
if verbose:
#detailed sentiment statistics
sentiment_frame = pd.DataFrame([[final_sentiment, sentiment_score, sentiment_subjectivity]],
columns=pd.MultiIndex(levels=[['SENTIMENT STATS:'],
['Predicted Sentiment','Polarity Score','Subjectivity Score']],
labels=[[0,0,0],[0,1,2]]))
print(sentiment_frame, '\n')
assessment = analysis.assessments
assessment_frame = pd.DataFrame(assessment,
columns=pd.MultiIndex(levels=[['DETAILED ASSESSMENT STATS:'],
['Key Terms', 'Polarity Score', 'Subjectivity Score','Type']],
labels=[[0,0,0,0],[0,1,2,3]]))
#print(assessment_frame)
return final_sentiment, sentiment_frame, assessment_frame, sent_binary
def afinn_sentiment(review, threshold, verbose=False):
afn = Afinn(emoticons=True)
sent_binary = (np.array(afn.score(review))>threshold).astype(int)
final_sentiment = 'positive' if sent_binary == 1 else 'negative'
if verbose:
sentiment_frame = pd.DataFrame([[final_sentiment, sent_binary]],
columns=pd.MultiIndex(levels=[['SENTIMENT STATS:'],
['Predicted Sentiment', 'Binary Score']],
labels=[[0,0],[0,1]]))
print(sentiment_frame, '\n')
return sent_binary
def sentiwordnet_sentiment(review, verbose=False):
text_tokens = nltk.word_tokenize(review)
tagged_text = nltk.pos_tag(text_tokens)
pos_score = neg_score = token_count = obj_score = 0
# get wordnet synsets based on POS tags
# get sentiment scores if synsets are found
for word, tag in tagged_text:
ss_set = None
if 'NN' in tag and swn.senti_synsets(word, 'n'):
ss_set = list(swn.senti_synsets(word, 'n'))
elif 'VB' in tag and swn.senti_synsets(word, 'v'):
ss_set = list(swn.senti_synsets(word, 'v'))
elif 'JJ' in tag and swn.senti_synsets(word, 'a'):
ss_set = list(swn.senti_synsets(word, 'a'))
elif 'RB' in tag and swn.senti_synsets(word, 'r'):
ss_set = list(swn.senti_synsets(word, 'r'))
# if senti-synset is found
if ss_set:
# add scores for all found synsets
for s in ss_set:
pos_score += s.pos_score()
neg_score += s.neg_score()
obj_score += s.obj_score()
token_count += 1
# aggregate final scores
final_score = pos_score - neg_score
norm_final_score = round(float(final_score) / token_count, 2)
final_sentiment = 'positive' if norm_final_score >= 0 else 'negative'
sent_binary = 1 if final_sentiment == 'positive' else 0
if verbose:
norm_obj_score = round(float(obj_score) / token_count, 2)
norm_pos_score = round(float(pos_score) / token_count, 2)
norm_neg_score = round(float(neg_score) / token_count, 2)
sentiment_frame = pd.DataFrame([[final_sentiment, norm_obj_score, norm_pos_score, norm_neg_score, norm_final_score]],
columns=pd.MultiIndex(levels=[['SENTIMENT STATS:'],
['Predicted Sentiment','Objectivity','Positive', 'Negative','Overall']],
labels=[[0,0,0,0,0],[0,1,2,3,4]]))
print(sentiment_frame, '\n')
return sent_binary
def vader_sentiment(review, threshold=0.1, verbose=False):
analyzer = SentimentIntensityAnalyzer()
scores = analyzer.polarity_scores(review)
#get aggregate scores and final sentiment
agg_score = scores['compound']
final_sentiment = 'positive' if agg_score >= threshold else 'negative'
sent_binary = 1 if final_sentiment == 'positive' else 0
if verbose:
positive = str(round(scores['pos'], 2)*100)+'%'
final = round(agg_score, 2)
negative = str(round(scores['neg'], 2)*100)+'%'
neutral = str(round(scores['neu'], 2)*100)+'%'
sentiment_frame = pd.DataFrame([[final_sentiment, final, positive, negative, neutral]],
columns=pd.MultiIndex(levels=[['SENTIMENT STATS:'],
['Predicted Sentiment', 'Polarity Score', 'Positive', 'Negative', 'Neutral']],
labels=[[0,0,0,0,0],[0,1,2,3,4]]))
print(sentiment_frame, '\n')
return sent_binary
def pretty_print(input_text):
for r in input_text:
pieces = [str(ele) for ele in r]
for p in pieces:
write_up = fill(p)
print(write_up, '\n')
return None
%%time
dirname = 'aclImdb'
filename = 'aclImdb_v1.tar.gz'
locale.setlocale(locale.LC_ALL, 'C')
all_lines = []
if sys.version > '3':
control_chars = [chr(0x85)]
else:
control_chars = [unichr(0x85)]
if not os.path.isfile('./aclImdb/alldata-id.txt'):
if not os.path.isdir(dirname):
if not os.path.isfile(filename):
# Download IMDB archive
print("Downloading IMDB archive...")
url = u'http://ai.stanford.edu/~amaas/data/sentiment/' + filename
r = requests.get(url)
with smart_open(filename, 'wb') as f:
f.write(r.content)
# if error here, try `tar xfz aclImdb_v1.tar.gz` outside notebook, then re-run this cell
tar = tarfile.open(filename, mode='r')
tar.extractall()
tar.close()
else:
print("IMDB archive directory already available without download.")
# Collect & normalize test/train data
print("Cleaning up dataset...")
folders = ['train/pos', 'train/neg', 'test/pos', 'test/neg', 'train/unsup']
for fol in folders:
temp = u''
newline = "\n".encode("utf-8")
output = fol.replace('/', '-') + '.txt'
# Is there a better pattern to use?
txt_files = glob.glob(os.path.join(dirname, fol, '*.txt'))
print(" %s: %i files" % (fol, len(txt_files)))
with smart_open(os.path.join(dirname, output), "wb") as n:
for i, txt in enumerate(txt_files):
with smart_open(txt, "rb") as t:
one_text = t.read().decode("utf-8")
for c in control_chars:
one_text = one_text.replace(c, ' ')
one_text = normalize_text(one_text)
all_lines.append(one_text)
n.write(one_text.encode("utf-8"))
n.write(newline)
# Save to disk for instant re-use on any future runs
with smart_open(os.path.join(dirname, 'alldata-id.txt'), 'wb') as f:
for idx, line in enumerate(all_lines):
num_line = u"_*{0} {1}\n".format(idx, line)
f.write(num_line.encode("utf-8"))
assert os.path.isfile("aclImdb/alldata-id.txt"), "alldata-id.txt unavailable"
print("Success, alldata-id.txt is available for next steps.")
Success, alldata-id.txt is available for next steps. Wall time: 1.97 ms
%%time
# this data object class suffices as a `TaggedDocument` (with `words` and `tags`)
# plus adds other state helpful for our later evaluation/reporting
SentimentDocument = namedtuple('SentimentDocument', 'words tags split sentiment')
alldocs = []
with smart_open('./aclImdb/alldata-id.txt', 'rb', encoding='utf-8') as alldata:
for line_no, line in enumerate(alldata):
tokens = gensim.utils.to_unicode(line).split()
words = tokens[1:]
tags = [line_no] # 'tags = [tokens[0]]' would also work at extra memory cost
split = ['train', 'test', 'extra', 'extra'][line_no//25000] # 25k train, 25k test, 25k extra
sentiment = [1.0, 0.0, 1.0, 0.0, None, None, None, None][line_no//12500] # [12.5K pos, 12.5K neg]*2 then unknown
alldocs.append(SentimentDocument(words, tags, split, sentiment))
train_docs = [doc for doc in alldocs if doc.split == 'train']
test_docs = [doc for doc in alldocs if doc.split == 'test']
print('%d docs: %d train-sentiment, %d test-sentiment' % (len(alldocs), len(train_docs), len(test_docs)))
100000 docs: 25000 train-sentiment, 25000 test-sentiment Wall time: 3.18 s
doc_list = alldocs[:]
shuffle(doc_list)
%%time
cores = multiprocessing.cpu_count()
assert gensim.models.doc2vec.FAST_VERSION > -1, "This will be painfully slow otherwise"
simple_models = [
# PV-DBOW plain
Doc2Vec(dm=0, vector_size=100, negative=5, hs=0, min_count=2, sample=0,
epochs=20, workers=cores),
# PV-DM w/ default averaging; a higher starting alpha may improve CBOW/PV-DM modes
#Doc2Vec(dm=1, vector_size=100, window=10, negative=5, hs=0, min_count=2, sample=0,
# epochs=20, workers=cores, alpha=0.05, comment='alpha=0.05'),
# PV-DM w/ concatenation - big, slow, experimental mode
# window=5 (both sides) approximates paper's apparent 10-word total window size
#Doc2Vec(dm=1, dm_concat=1, vector_size=100, window=5, negative=5, hs=0, min_count=2, sample=0,
# epochs=20, workers=cores),
]
for model in simple_models:
model.build_vocab(alldocs)
print("%s vocabulary scanned & state initialized" % model)
models_by_name = OrderedDict((str(model), model) for model in simple_models)
Doc2Vec(dbow,d100,n5,mc2,t8) vocabulary scanned & state initialized Wall time: 7.87 s
#models_by_name['dbow+dmm'] = ConcatenatedDoc2Vec([simple_models[0], simple_models[1]])
#models_by_name['dbow+dmc'] = ConcatenatedDoc2Vec([simple_models[0], simple_models[2]])
#models_by_name.items()
for model in simple_models:
print("Training %s" % model)
%time model.train(doc_list, total_examples=len(doc_list), epochs=model.epochs)
Training Doc2Vec(dbow,d100,n5,mc2,t8) Wall time: 3min 46s
#to selectively print only best errors achieved
error_rates = defaultdict(lambda: 1.0)
for model in simple_models:
print("\nEvaluating %s" % model)
%time err_rate, err_count, test_count, predictor = error_rate_for_model(model, train_docs, test_docs)
error_rates[str(model)] = err_rate
print("\n%f %s\n" % (err_rate, model))
Evaluating Doc2Vec(dbow,d100,n5,mc2,t8) Wall time: 789 ms 0.102800 Doc2Vec(dbow,d100,n5,mc2,t8)
#for model in [models_by_name['dbow+dmm'], models_by_name['dbow+dmc']]:
# print("\nEvaluating %s" % model)
# %time err_rate, err_count, test_count, predictor = error_rate_for_model(model, train_docs, test_docs)
# error_rates[str(model)] = err_rate
# print("\n%f %s\n" % (err_rate, model))
# Compare error rates achieved, best-to-worst
print("Err_rate Model")
for rate, name in sorted((rate, name) for name, rate in error_rates.items()):
print("%f %s" % (rate, name))
Err_rate Model 0.102800 Doc2Vec(dbow,d100,n5,mc2,t8)
#dbow = simple_models[0]
#dmm = simple_models[1]
#dmc = simple_models[2]
dbow = simple_models[0]
train_targets = [doc.sentiment for doc in train_docs]
test_targets = [doc.sentiment for doc in test_docs]
dbow_train_regressors = [dbow.docvecs[doc.tags[0]] for doc in train_docs]
dbow_test_regressors = [dbow.docvecs[doc.tags[0]] for doc in test_docs]
clf = LogisticRegression()
clf.fit(dbow_train_regressors, train_targets)
LogisticRegression(C=1.0, class_weight=None, dual=False, fit_intercept=True,
intercept_scaling=1, max_iter=100, multi_class='ovr', n_jobs=1,
penalty='l2', random_state=None, solver='liblinear', tol=0.0001,
verbose=0, warm_start=False)
print('Logistic Classifier performance on the training set is: {}'.format(clf.score(dbow_train_regressors, train_targets)))
print('Logistic Classifier performance on the test set is: {}'.format(clf.score(dbow_test_regressors, test_targets)))
Logistic Classifier performance on the training set is: 0.89596 Logistic Classifier performance on the test set is: 0.89732
#predict method to generate predictions from Logistic model and test data
logistic_pred = clf.predict(dbow_test_regressors)
threshold=0.5
print(confusion_matrix(np.array(test_targets), (logistic_pred>threshold).astype(int)))
print('\n')
print(classification_report(np.array(test_targets), (logistic_pred>threshold).astype(int)))
#classification accuracy score
logisitic_accuracy = accuracy_score(np.array(test_targets), (logistic_pred>threshold).astype(int))
print("Correct classification rate:", logisitic_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(test_targets), (logistic_pred>threshold).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (Logisitic Binary Classifier) \n', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[11231 1269]
[ 1298 11202]]
precision recall f1-score support
0.0 0.90 0.90 0.90 12500
1.0 0.90 0.90 0.90 12500
avg / total 0.90 0.90 0.90 25000
Correct classification rate: 0.89732
dbow.docvecs.vectors_docs.shape
(100000, 100)
np.stack(dbow_train_regressors, axis=0).shape
(25000, 100)
np.stack(dbow_test_regressors, axis=0).shape
(25000, 100)
dbow_train_input = np.stack(dbow_train_regressors, axis=0)
dbow_test_input = np.stack(dbow_test_regressors, axis=0)
K.clear_session()
np.random.seed(222)
model_d2v_01 = Sequential()
model_d2v_01.add(Dense(64, activation='relu', input_dim=100))
model_d2v_01.add(Dense(32, activation='relu'))
model_d2v_01.add(Dense(16, activation='relu'))
model_d2v_01.add(Dense(8, activation='relu'))
model_d2v_01.add(Dense(1, activation='sigmoid'))
model_d2v_01.compile(optimizer='rmsprop',
loss='binary_crossentropy',
metrics=['accuracy'])
model_d2v_01.fit(dbow_train_input, train_targets, validation_split=0.20,
#validation_data=(dbow_test_regressors, test_targets),
epochs=10, batch_size=32, verbose=2)
Train on 20000 samples, validate on 5000 samples Epoch 1/10 - 2s - loss: 0.3067 - acc: 0.8700 - val_loss: 0.4698 - val_acc: 0.8048 Epoch 2/10 - 1s - loss: 0.2574 - acc: 0.8952 - val_loss: 0.4252 - val_acc: 0.8268 Epoch 3/10 - 1s - loss: 0.2445 - acc: 0.9027 - val_loss: 0.2926 - val_acc: 0.8844 Epoch 4/10 - 1s - loss: 0.2318 - acc: 0.9058 - val_loss: 0.3064 - val_acc: 0.8790 Epoch 5/10 - 1s - loss: 0.2209 - acc: 0.9132 - val_loss: 0.3990 - val_acc: 0.8384 Epoch 6/10 - 1s - loss: 0.2098 - acc: 0.9166 - val_loss: 0.2948 - val_acc: 0.8862 Epoch 7/10 - 1s - loss: 0.2002 - acc: 0.9226 - val_loss: 0.4498 - val_acc: 0.8234 Epoch 8/10 - 1s - loss: 0.1905 - acc: 0.9258 - val_loss: 0.3764 - val_acc: 0.8538 Epoch 9/10 - 1s - loss: 0.1815 - acc: 0.9297 - val_loss: 0.3095 - val_acc: 0.8814 Epoch 10/10 - 1s - loss: 0.1735 - acc: 0.9330 - val_loss: 0.3272 - val_acc: 0.8678
<keras.callbacks.History at 0x16c298f2cc0>
#NB: saving model can throw segmentation fault!
#model_d2v_01.save('./imdb_dbow_25000revs_0.2_split.hdf5', include_optimizer=True)
#NB: early stopping model checkpoint can throw segmentation fault!
#%%time
#filepath="./d2v_dbow_best_weights.{epoch:02d}-{val_acc:.4f}.hdf5"
#filepath="d2v_dbow_best_weights.hdf5"
#checkpoint = ModelCheckpoint(filepath, monitor='val_acc', verbose=1, save_best_only=True, mode='max')
#early_stop = EarlyStopping(monitor='val_acc', patience=10, mode='max')
#callbacks_list = [checkpoint, early_stop]
#np.random.seed(222)
#d2v_dbow_es = Sequential()
#d2v_dbow_es.add(Dense(32, activation='relu', input_dim=100))
#d2v_dbow_es.add(Dense(8, activation='relu'))
#d2v_dbow_es.add(Dense(4, activation='relu'))
#d2v_dbow_es.add(Dense(1, activation='sigmoid'))
#d2v_dbow_es.compile(optimizer='rmsprop',
# loss='binary_crossentropy',
# metrics=['accuracy'])
#d2v_dbow_es.fit(dbow_train_input, train_targets, validation_split=0.25,
# epochs=50, batch_size=32, verbose=2, callbacks=callbacks_list)
model_d2v_01.evaluate(x=dbow_test_input, y=test_targets)
25000/25000 [==============================] - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - ETA: 0s - 1s 23us/step
[0.30340484449863436, 0.88132]
#predict method to generate predictions from DNN model and test data
pred = model_d2v_01.predict(dbow_test_input)
threshold=0.5
print(confusion_matrix(np.array(test_targets), (pred>threshold).astype(int)))
print('\n')
print(classification_report(np.array(test_targets), (pred>threshold).astype(int)))
#classification accuracy score
large_movie_rev_dataset_accuracy = accuracy_score(np.array(test_targets), (pred>threshold).astype(int))
print("Correct classification rate:", large_movie_rev_dataset_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(test_targets), (pred>threshold).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (Distributed Bag-of-Words Dense Neural Network-based Sentiment Analyzer) \n \
Performance on the \'Large Movie Review Dataset\'', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[10750 1750]
[ 1217 11283]]
precision recall f1-score support
0.0 0.90 0.86 0.88 12500
1.0 0.87 0.90 0.88 12500
avg / total 0.88 0.88 0.88 25000
Correct classification rate: 0.88132
traintest_docs = [doc for doc in alldocs if doc.split in ['train','test']]
len(traintest_docs)
50000
dbow_all_regressors = [dbow.docvecs[doc.tags[0]] for doc in traintest_docs]
dbow_all_targets = [doc.sentiment for doc in traintest_docs]
dbow_all_input = np.stack(dbow_all_regressors, axis=0)
K.clear_session()
np.random.seed(999)
model_d2v_all = Sequential()
model_d2v_all.add(Dense(64, activation='relu', input_dim=100))
model_d2v_all.add(Dense(32, activation='relu'))
model_d2v_all.add(Dense(16, activation='relu'))
model_d2v_all.add(Dense(8, activation='relu'))
model_d2v_all.add(Dense(1, activation='sigmoid'))
model_d2v_all.compile(optimizer='rmsprop',
loss='binary_crossentropy',
metrics=['accuracy'])
model_d2v_all.fit(dbow_all_input, dbow_all_targets, validation_split=0.20,
#validation_data=(dbow_test_regressors, test_targets),
epochs=10, batch_size=32, verbose=2)
Train on 40000 samples, validate on 10000 samples Epoch 1/10 - 2s - loss: 0.2806 - acc: 0.8830 - val_loss: 0.4448 - val_acc: 0.8032 Epoch 2/10 - 1s - loss: 0.2427 - acc: 0.9027 - val_loss: 0.3232 - val_acc: 0.8715 Epoch 3/10 - 1s - loss: 0.2320 - acc: 0.9078 - val_loss: 0.3504 - val_acc: 0.8527 Epoch 4/10 - 1s - loss: 0.2240 - acc: 0.9120 - val_loss: 0.3079 - val_acc: 0.8674 Epoch 5/10 - 1s - loss: 0.2152 - acc: 0.9154 - val_loss: 0.3333 - val_acc: 0.8603 Epoch 6/10 - 1s - loss: 0.2103 - acc: 0.9174 - val_loss: 0.5252 - val_acc: 0.7972 Epoch 7/10 - 1s - loss: 0.2039 - acc: 0.9198 - val_loss: 0.3526 - val_acc: 0.8554 Epoch 8/10 - 1s - loss: 0.1985 - acc: 0.9236 - val_loss: 0.3600 - val_acc: 0.8502 Epoch 9/10 - 1s - loss: 0.1931 - acc: 0.9262 - val_loss: 0.3597 - val_acc: 0.8494 Epoch 10/10 - 1s - loss: 0.1890 - acc: 0.9289 - val_loss: 0.3057 - val_acc: 0.8804
<keras.callbacks.History at 0x16c27e3b588>
nlp = spacy.load('en')
#cont = Contractions('../GoogleNews-vectors-negative300.bin.gz')
#cont.load_models()
punctuations = string.punctuation
LabeledSentence1 = gensim.models.doc2vec.TaggedDocument
tokenizer = Tokenizer(nlp.vocab)
#stopwords = spacy.lang.en.STOP_WORDS
#spacy.lang.en.STOP_WORDS.add("e.g.")
#nlp.vocab['the'].is_stop
#nlp.Defaults.stop_words |= {"(a)", "(b)", "(c)", "etc", "etc.", "etc.)", "w/e", "(e.g.", "no?", "s",
# "film", "movie","0","1","2","3","4","5","6","7","8","9","10","e","f","k","n","q",
# "de","oh","ones","miike","http","imdb", "horror", "little",
# "come", "way", "know", "michael", "lot", "thing", "films", "later", "actually", "find",
# "big", "long", "away", "filmthe", "www", "com", "x", "aja", "agritos", "lon", "therebravo",
# "gou", "b", "particularly", "probably", "sure", "greenskeeper", "try",
# "half", "intothe", "especially", "exactly", "20", "ukr", "thatll", "darn", "certainly", "simply", }
#stopwords = list(nlp.Defaults.stop_words)
stopwords = list(["(a)", "(b)", "(c)", "etc", "etc.", "etc.)", "w/e", "(e.g.", "no?", "s",
"0","1","2","3","4","5","6","7","8","9","10","e","f","k","n","q",
"de","oh","miike","http","imdb","michael","filmthe","www","com","x",
"aja","agritos","lon","therebravo","gou","b","intothe","20", "ukr","thatll"])
#open the base URL webpage
html_page = urlopen("https://www.imdb.com/list/ls059633855/")
#instantiate beautiful soup object of the html page
soup = BeautifulSoup(html_page, 'lxml')
review_text_first_5 = get_movie_reviews(soup, n_reviews_per_movie=5)
Retrieving all baseline URLs... Retrieved all second-level URLs... Retrieved all third-level URLs... Retrieved all fourth-level URLs... Retrieved all fifth-level URLs... All reviews retrieved!
all_good_movie_reviews_500 = get_tagged_documents(review_text_first_5, stopwords, tokenizer, punctuations, LabeledSentence1)
Creating Tagged Documents... Cleaning review #1 The number of stars for this review is: 5 Cleaning review #2 The number of stars for this review is: 9 Cleaning review #3 The number of stars for this review is: 8 Cleaning review #4 The number of stars for this review is: 10 Cleaning review #5 The number of stars for this review is: 9 Cleaning review #6 The number of stars for this review is: 9 Cleaning review #7 The number of stars for this review is: 8 Cleaning review #8 The number of stars for this review is: 5 Cleaning review #9 The number of stars for this review is: 8 Cleaning review #10 The number of stars for this review is: 10 Cleaning review #11 The number of stars for this review is: 10 Cleaning review #12 The number of stars for this review is: 10 Cleaning review #13 The number of stars for this review is: 5 Cleaning review #14 The number of stars for this review is: 10 Cleaning review #15 The number of stars for this review is: 10 Cleaning review #16 The number of stars for this review is: 5 Cleaning review #17 The number of stars for this review is: 5 Cleaning review #18 The number of stars for this review is: 8 Cleaning review #19 The number of stars for this review is: 7 Cleaning review #20 The number of stars for this review is: 6 Cleaning review #21 The number of stars for this review is: 9 Cleaning review #22 The number of stars for this review is: 9 Cleaning review #23 The number of stars for this review is: 10 Cleaning review #24 The number of stars for this review is: 9 Cleaning review #25 The number of stars for this review is: 9 Cleaning review #26 The number of stars for this review is: 10 Cleaning review #27 The number of stars for this review is: 8 Cleaning review #28 The number of stars for this review is: 5 Cleaning review #29 The number of stars for this review is: 10 Cleaning review #30 The number of stars for this review is: 8 Cleaning review #31 The number of stars for this review is: 6 Cleaning review #32 The number of stars for this review is: 8 Cleaning review #33 The number of stars for this review is: 1 Cleaning review #34 The number of stars for this review is: 4 Cleaning review #35 The number of stars for this review is: 3 Cleaning review #36 The number of stars for this review is: 9 Cleaning review #37 The number of stars for this review is: 9 Cleaning review #38 The number of stars for this review is: 10 Cleaning review #39 The number of stars for this review is: 8 Cleaning review #40 The number of stars for this review is: 10 Cleaning review #41 The number of stars for this review is: 5 Cleaning review #42 The number of stars for this review is: 8 Cleaning review #43 The number of stars for this review is: 5 Cleaning review #44 The number of stars for this review is: 8 Cleaning review #45 The number of stars for this review is: 10 Cleaning review #46 The number of stars for this review is: 9 Cleaning review #47 The number of stars for this review is: 8 Cleaning review #48 The number of stars for this review is: 10 Cleaning review #49 The number of stars for this review is: 10 Cleaning review #50 The number of stars for this review is: 8 Cleaning review #51 The number of stars for this review is: 10 Cleaning review #52 The number of stars for this review is: 8 Cleaning review #53 The number of stars for this review is: 10 Cleaning review #54 The number of stars for this review is: 9 Cleaning review #55 The number of stars for this review is: 8 Cleaning review #56 The number of stars for this review is: 8 Cleaning review #57 The number of stars for this review is: 8 Cleaning review #58 The number of stars for this review is: 8 Cleaning review #59 The number of stars for this review is: 8 Cleaning review #60 The number of stars for this review is: 8 Cleaning review #61 The number of stars for this review is: 10 Cleaning review #62 The number of stars for this review is: 8 Cleaning review #63 The number of stars for this review is: 7 Cleaning review #64 The number of stars for this review is: 8 Cleaning review #65 The number of stars for this review is: 10 Cleaning review #66 The number of stars for this review is: 9 Cleaning review #67 The number of stars for this review is: 10 Cleaning review #68 The number of stars for this review is: 9 Cleaning review #69 The number of stars for this review is: 10 Cleaning review #70 The number of stars for this review is: 7 Cleaning review #71 The number of stars for this review is: 10 Cleaning review #72 The number of stars for this review is: 9 Cleaning review #73 The number of stars for this review is: 9 Cleaning review #74 The number of stars for this review is: 8 Cleaning review #75 The number of stars for this review is: 10 Cleaning review #76 The number of stars for this review is: 8 Cleaning review #77 The number of stars for this review is: 7 Cleaning review #78 The number of stars for this review is: 9 Cleaning review #79 The number of stars for this review is: 8 Cleaning review #80 The number of stars for this review is: 9 Cleaning review #81 The number of stars for this review is: 5 Cleaning review #82 The number of stars for this review is: 8 Cleaning review #83 The number of stars for this review is: 9 Cleaning review #84 The number of stars for this review is: 9 Cleaning review #85 The number of stars for this review is: 10 Cleaning review #86 The number of stars for this review is: 8 Cleaning review #87 The number of stars for this review is: 9 Cleaning review #88 The number of stars for this review is: 9 Cleaning review #89 The number of stars for this review is: 5 Cleaning review #90 The number of stars for this review is: 7 Cleaning review #91 The number of stars for this review is: 9 Cleaning review #92 The number of stars for this review is: 7 Cleaning review #93 The number of stars for this review is: 10 Cleaning review #94 The number of stars for this review is: 9 Cleaning review #95 The number of stars for this review is: 10 Cleaning review #96 The number of stars for this review is: 10 Cleaning review #97 The number of stars for this review is: 10 Cleaning review #98 The number of stars for this review is: 5 Cleaning review #99 The number of stars for this review is: 10 Cleaning review #100 The number of stars for this review is: 10 Cleaning review #101 The number of stars for this review is: 1 Cleaning review #102 The number of stars for this review is: 6 Cleaning review #103 The number of stars for this review is: 1 Cleaning review #104 The number of stars for this review is: 8 Cleaning review #105 The number of stars for this review is: 2 Cleaning review #106 The number of stars for this review is: 8 Cleaning review #107 The number of stars for this review is: 8 Cleaning review #108 The number of stars for this review is: 8 Cleaning review #109 The number of stars for this review is: 10 Cleaning review #110 The number of stars for this review is: 9 Cleaning review #111 The number of stars for this review is: 7 Cleaning review #112 The number of stars for this review is: 9 Cleaning review #113 The number of stars for this review is: 10 Cleaning review #114 The number of stars for this review is: 10 Cleaning review #115 The number of stars for this review is: 7 Cleaning review #116 The number of stars for this review is: 6 Cleaning review #117 The number of stars for this review is: 9 Cleaning review #118 The number of stars for this review is: 9 Cleaning review #119 The number of stars for this review is: 5 Cleaning review #120 The number of stars for this review is: 7 Cleaning review #121 The number of stars for this review is: 10 Cleaning review #122 The number of stars for this review is: 9 Cleaning review #123 The number of stars for this review is: 10 Cleaning review #124 The number of stars for this review is: 10 Cleaning review #125 The number of stars for this review is: 9 Cleaning review #126 The number of stars for this review is: 9 Cleaning review #127 The number of stars for this review is: 10 Cleaning review #128 The number of stars for this review is: 10 Cleaning review #129 The number of stars for this review is: 9 Cleaning review #130 The number of stars for this review is: 9 Cleaning review #131 The number of stars for this review is: 10 Cleaning review #132 The number of stars for this review is: 5 Cleaning review #133 The number of stars for this review is: 10 Cleaning review #134 The number of stars for this review is: 10 Cleaning review #135 The number of stars for this review is: 8 Cleaning review #136 The number of stars for this review is: 5 Cleaning review #137 The number of stars for this review is: 6 Cleaning review #138 The number of stars for this review is: 5 Cleaning review #139 The number of stars for this review is: 1 Cleaning review #140 The number of stars for this review is: 9 Cleaning review #141 The number of stars for this review is: 10 Cleaning review #142 The number of stars for this review is: 8 Cleaning review #143 The number of stars for this review is: 10 Cleaning review #144 The number of stars for this review is: 10 Cleaning review #145 The number of stars for this review is: 10 Cleaning review #146 The number of stars for this review is: 8 Cleaning review #147 The number of stars for this review is: 7 Cleaning review #148 The number of stars for this review is: 10 Cleaning review #149 The number of stars for this review is: 8 Cleaning review #150 The number of stars for this review is: 7 Cleaning review #151 The number of stars for this review is: 9 Cleaning review #152 The number of stars for this review is: 8 Cleaning review #153 The number of stars for this review is: 3 Cleaning review #154 The number of stars for this review is: 1 Cleaning review #155 The number of stars for this review is: 9 Cleaning review #156 The number of stars for this review is: 7 Cleaning review #157 The number of stars for this review is: 9 Cleaning review #158 The number of stars for this review is: 7 Cleaning review #159 The number of stars for this review is: 5 Cleaning review #160 The number of stars for this review is: 8 Cleaning review #161 The number of stars for this review is: 9 Cleaning review #162 The number of stars for this review is: 10 Cleaning review #163 The number of stars for this review is: 10 Cleaning review #164 The number of stars for this review is: 8 Cleaning review #165 The number of stars for this review is: 10 Cleaning review #166 The number of stars for this review is: 10 Cleaning review #167 The number of stars for this review is: 5 Cleaning review #168 The number of stars for this review is: 10 Cleaning review #169 The number of stars for this review is: 9 Cleaning review #170 The number of stars for this review is: 8 Cleaning review #171 The number of stars for this review is: 8 Cleaning review #172 The number of stars for this review is: 8 Cleaning review #173 The number of stars for this review is: 10 Cleaning review #174 The number of stars for this review is: 8 Cleaning review #175 The number of stars for this review is: 10 Cleaning review #176 The number of stars for this review is: 8 Cleaning review #177 The number of stars for this review is: 8 Cleaning review #178 The number of stars for this review is: 8 Cleaning review #179 The number of stars for this review is: 8 Cleaning review #180 The number of stars for this review is: 9 Cleaning review #181 The number of stars for this review is: 8 Cleaning review #182 The number of stars for this review is: 9 Cleaning review #183 The number of stars for this review is: 8 Cleaning review #184 The number of stars for this review is: 9 Cleaning review #185 The number of stars for this review is: 8 Cleaning review #186 The number of stars for this review is: 10 Cleaning review #187 The number of stars for this review is: 10 Cleaning review #188 The number of stars for this review is: 5 Cleaning review #189 The number of stars for this review is: 10 Cleaning review #190 The number of stars for this review is: 10 Cleaning review #191 The number of stars for this review is: 9 Cleaning review #192 The number of stars for this review is: 9 Cleaning review #193 The number of stars for this review is: 7 Cleaning review #194 The number of stars for this review is: 9 Cleaning review #195 The number of stars for this review is: 7 Cleaning review #196 The number of stars for this review is: 7 Cleaning review #197 The number of stars for this review is: 8 Cleaning review #198 The number of stars for this review is: 8 Cleaning review #199 The number of stars for this review is: 7 Cleaning review #200 The number of stars for this review is: 6 Cleaning review #201 The number of stars for this review is: 10 Cleaning review #202 The number of stars for this review is: 10 Cleaning review #203 The number of stars for this review is: 8 Cleaning review #204 The number of stars for this review is: 9 Cleaning review #205 The number of stars for this review is: 10 Cleaning review #206 The number of stars for this review is: 7 Cleaning review #207 The number of stars for this review is: 8 Cleaning review #208 The number of stars for this review is: 8 Cleaning review #209 The number of stars for this review is: 9 Cleaning review #210 The number of stars for this review is: 8 Cleaning review #211 The number of stars for this review is: 9 Cleaning review #212 The number of stars for this review is: 8 Cleaning review #213 The number of stars for this review is: 7 Cleaning review #214 The number of stars for this review is: 8 Cleaning review #215 The number of stars for this review is: 9 Cleaning review #216 The number of stars for this review is: 5 Cleaning review #217 The number of stars for this review is: 10 Cleaning review #218 The number of stars for this review is: 9 Cleaning review #219 The number of stars for this review is: 10 Cleaning review #220 The number of stars for this review is: 5 Cleaning review #221 The number of stars for this review is: 10 Cleaning review #222 The number of stars for this review is: 8 Cleaning review #223 The number of stars for this review is: 10 Cleaning review #224 The number of stars for this review is: 8 Cleaning review #225 The number of stars for this review is: 10 Cleaning review #226 The number of stars for this review is: 7 Cleaning review #227 The number of stars for this review is: 9 Cleaning review #228 The number of stars for this review is: 7 Cleaning review #229 The number of stars for this review is: 9 Cleaning review #230 The number of stars for this review is: 7 Cleaning review #231 The number of stars for this review is: 10 Cleaning review #232 The number of stars for this review is: 9 Cleaning review #233 The number of stars for this review is: 7 Cleaning review #234 The number of stars for this review is: 10 Cleaning review #235 The number of stars for this review is: 10 Cleaning review #236 The number of stars for this review is: 10 Cleaning review #237 The number of stars for this review is: 9 Cleaning review #238 The number of stars for this review is: 9 Cleaning review #239 The number of stars for this review is: 7 Cleaning review #240 The number of stars for this review is: 9 Cleaning review #241 The number of stars for this review is: 7 Cleaning review #242 The number of stars for this review is: 4 Cleaning review #243 The number of stars for this review is: 7 Cleaning review #244 The number of stars for this review is: 7 Cleaning review #245 The number of stars for this review is: 3 Cleaning review #246 The number of stars for this review is: 10 Cleaning review #247 The number of stars for this review is: 8 Cleaning review #248 The number of stars for this review is: 7 Cleaning review #249 The number of stars for this review is: 9 Cleaning review #250 The number of stars for this review is: 9 Cleaning review #251 The number of stars for this review is: 2 Cleaning review #252 The number of stars for this review is: 1 Cleaning review #253 The number of stars for this review is: 1 Cleaning review #254 The number of stars for this review is: 1 Cleaning review #255 The number of stars for this review is: 8 Cleaning review #256 The number of stars for this review is: 9 Cleaning review #257 The number of stars for this review is: 10 Cleaning review #258 The number of stars for this review is: 7 Cleaning review #259 The number of stars for this review is: 9 Cleaning review #260 The number of stars for this review is: 9 Cleaning review #261 The number of stars for this review is: 4 Cleaning review #262 The number of stars for this review is: 2 Cleaning review #263 The number of stars for this review is: 1 Cleaning review #264 The number of stars for this review is: 1 Cleaning review #265 The number of stars for this review is: 5 Cleaning review #266 The number of stars for this review is: 8 Cleaning review #267 The number of stars for this review is: 8 Cleaning review #268 The number of stars for this review is: 5 Cleaning review #269 The number of stars for this review is: 10 Cleaning review #270 The number of stars for this review is: 10 Cleaning review #271 The number of stars for this review is: 7 Cleaning review #272 The number of stars for this review is: 8 Cleaning review #273 The number of stars for this review is: 7 Cleaning review #274 The number of stars for this review is: 9 Cleaning review #275 The number of stars for this review is: 7 Cleaning review #276 The number of stars for this review is: 8 Cleaning review #277 The number of stars for this review is: 8 Cleaning review #278 The number of stars for this review is: 7 Cleaning review #279 The number of stars for this review is: 6 Cleaning review #280 The number of stars for this review is: 9 Cleaning review #281 The number of stars for this review is: 6 Cleaning review #282 The number of stars for this review is: 6 Cleaning review #283 The number of stars for this review is: 5 Cleaning review #284 The number of stars for this review is: 7 Cleaning review #285 The number of stars for this review is: 10 Cleaning review #286 The number of stars for this review is: 9 Cleaning review #287 The number of stars for this review is: 10 Cleaning review #288 The number of stars for this review is: 10 Cleaning review #289 The number of stars for this review is: 10 Cleaning review #290 The number of stars for this review is: 9 Cleaning review #291 The number of stars for this review is: 5 Cleaning review #292 The number of stars for this review is: 5 Cleaning review #293 The number of stars for this review is: 8 Cleaning review #294 The number of stars for this review is: 9 Cleaning review #295 The number of stars for this review is: 10 Cleaning review #296 The number of stars for this review is: 5 Cleaning review #297 The number of stars for this review is: 1 Cleaning review #298 The number of stars for this review is: 8 Cleaning review #299 The number of stars for this review is: 9 Cleaning review #300 The number of stars for this review is: 5 Cleaning review #301 The number of stars for this review is: 10 Cleaning review #302 The number of stars for this review is: 8 Cleaning review #303 The number of stars for this review is: 8 Cleaning review #304 The number of stars for this review is: 9 Cleaning review #305 The number of stars for this review is: 10 Cleaning review #306 The number of stars for this review is: 8 Cleaning review #307 The number of stars for this review is: 10 Cleaning review #308 The number of stars for this review is: 5 Cleaning review #309 The number of stars for this review is: 8 Cleaning review #310 The number of stars for this review is: 5 Cleaning review #311 The number of stars for this review is: 5 Cleaning review #312 The number of stars for this review is: 10 Cleaning review #313 The number of stars for this review is: 10 Cleaning review #314 The number of stars for this review is: 10 Cleaning review #315 The number of stars for this review is: 9 Cleaning review #316 The number of stars for this review is: 5 Cleaning review #317 The number of stars for this review is: 5 Cleaning review #318 The number of stars for this review is: 9 Cleaning review #319 The number of stars for this review is: 5 Cleaning review #320 The number of stars for this review is: 10 Cleaning review #321 The number of stars for this review is: 8 Cleaning review #322 The number of stars for this review is: 8 Cleaning review #323 The number of stars for this review is: 9 Cleaning review #324 The number of stars for this review is: 7 Cleaning review #325 The number of stars for this review is: 7 Cleaning review #326 The number of stars for this review is: 10 Cleaning review #327 The number of stars for this review is: 5 Cleaning review #328 The number of stars for this review is: 8 Cleaning review #329 The number of stars for this review is: 7 Cleaning review #330 The number of stars for this review is: 9 Cleaning review #331 The number of stars for this review is: 9 Cleaning review #332 The number of stars for this review is: 10 Cleaning review #333 The number of stars for this review is: 5 Cleaning review #334 The number of stars for this review is: 10 Cleaning review #335 The number of stars for this review is: 5 Cleaning review #336 The number of stars for this review is: 5 Cleaning review #337 The number of stars for this review is: 7 Cleaning review #338 The number of stars for this review is: 9 Cleaning review #339 The number of stars for this review is: 10 Cleaning review #340 The number of stars for this review is: 8 Cleaning review #341 The number of stars for this review is: 7 Cleaning review #342 The number of stars for this review is: 5 Cleaning review #343 The number of stars for this review is: 10 Cleaning review #344 The number of stars for this review is: 10 Cleaning review #345 The number of stars for this review is: 9 Cleaning review #346 The number of stars for this review is: 9 Cleaning review #347 The number of stars for this review is: 7 Cleaning review #348 The number of stars for this review is: 8 Cleaning review #349 The number of stars for this review is: 8 Cleaning review #350 The number of stars for this review is: 7 Cleaning review #351 The number of stars for this review is: 8 Cleaning review #352 The number of stars for this review is: 8 Cleaning review #353 The number of stars for this review is: 8 Cleaning review #354 The number of stars for this review is: 10 Cleaning review #355 The number of stars for this review is: 7 Cleaning review #356 The number of stars for this review is: 7 Cleaning review #357 The number of stars for this review is: 6 Cleaning review #358 The number of stars for this review is: 9 Cleaning review #359 The number of stars for this review is: 1 Cleaning review #360 The number of stars for this review is: 8 Cleaning review #361 The number of stars for this review is: 7 Cleaning review #362 The number of stars for this review is: 6 Cleaning review #363 The number of stars for this review is: 7 Cleaning review #364 The number of stars for this review is: 6 Cleaning review #365 The number of stars for this review is: 7 Cleaning review #366 The number of stars for this review is: 8 Cleaning review #367 The number of stars for this review is: 8 Cleaning review #368 The number of stars for this review is: 9 Cleaning review #369 The number of stars for this review is: 9 Cleaning review #370 The number of stars for this review is: 8 Cleaning review #371 The number of stars for this review is: 10 Cleaning review #372 The number of stars for this review is: 5 Cleaning review #373 The number of stars for this review is: 8 Cleaning review #374 The number of stars for this review is: 8 Cleaning review #375 The number of stars for this review is: 9 Cleaning review #376 The number of stars for this review is: 3 Cleaning review #377 The number of stars for this review is: 9 Cleaning review #378 The number of stars for this review is: 3 Cleaning review #379 The number of stars for this review is: 6 Cleaning review #380 The number of stars for this review is: 1 Cleaning review #381 The number of stars for this review is: 10 Cleaning review #382 The number of stars for this review is: 10 Cleaning review #383 The number of stars for this review is: 5 Cleaning review #384 The number of stars for this review is: 9 Cleaning review #385 The number of stars for this review is: 10 Cleaning review #386 The number of stars for this review is: 8 Cleaning review #387 The number of stars for this review is: 8 Cleaning review #388 The number of stars for this review is: 8 Cleaning review #389 The number of stars for this review is: 9 Cleaning review #390 The number of stars for this review is: 7 Cleaning review #391 The number of stars for this review is: 9 Cleaning review #392 The number of stars for this review is: 8 Cleaning review #393 The number of stars for this review is: 9 Cleaning review #394 The number of stars for this review is: 8 Cleaning review #395 The number of stars for this review is: 5 Cleaning review #396 The number of stars for this review is: 10 Cleaning review #397 The number of stars for this review is: 10 Cleaning review #398 The number of stars for this review is: 7 Cleaning review #399 The number of stars for this review is: 8 Cleaning review #400 The number of stars for this review is: 10 Cleaning review #401 The number of stars for this review is: 9 Cleaning review #402 The number of stars for this review is: 10 Cleaning review #403 The number of stars for this review is: 9 Cleaning review #404 The number of stars for this review is: 5 Cleaning review #405 The number of stars for this review is: 10 Cleaning review #406 The number of stars for this review is: 8 Cleaning review #407 The number of stars for this review is: 8 Cleaning review #408 The number of stars for this review is: 8 Cleaning review #409 The number of stars for this review is: 6 Cleaning review #410 The number of stars for this review is: 7 Cleaning review #411 The number of stars for this review is: 10 Cleaning review #412 The number of stars for this review is: 10 Cleaning review #413 The number of stars for this review is: 5 Cleaning review #414 The number of stars for this review is: 8 Cleaning review #415 The number of stars for this review is: 5 Cleaning review #416 The number of stars for this review is: 7 Cleaning review #417 The number of stars for this review is: 10 Cleaning review #418 The number of stars for this review is: 10 Cleaning review #419 The number of stars for this review is: 9 Cleaning review #420 The number of stars for this review is: 7 Cleaning review #421 The number of stars for this review is: 7 Cleaning review #422 The number of stars for this review is: 6 Cleaning review #423 The number of stars for this review is: 8 Cleaning review #424 The number of stars for this review is: 6 Cleaning review #425 The number of stars for this review is: 5 Cleaning review #426 The number of stars for this review is: 10 Cleaning review #427 The number of stars for this review is: 8 Cleaning review #428 The number of stars for this review is: 5 Cleaning review #429 The number of stars for this review is: 8 Cleaning review #430 The number of stars for this review is: 8 Cleaning review #431 The number of stars for this review is: 10 Cleaning review #432 The number of stars for this review is: 5 Cleaning review #433 The number of stars for this review is: 8 Cleaning review #434 The number of stars for this review is: 6 Cleaning review #435 The number of stars for this review is: 8 Cleaning review #436 The number of stars for this review is: 9 Cleaning review #437 The number of stars for this review is: 7 Cleaning review #438 The number of stars for this review is: 5 Cleaning review #439 The number of stars for this review is: 2 Cleaning review #440 The number of stars for this review is: 1 Cleaning review #441 The number of stars for this review is: 10 Cleaning review #442 The number of stars for this review is: 8 Cleaning review #443 The number of stars for this review is: 4 Cleaning review #444 The number of stars for this review is: 6 Cleaning review #445 The number of stars for this review is: 2 Cleaning review #446 The number of stars for this review is: 10 Cleaning review #447 The number of stars for this review is: 9 Cleaning review #448 The number of stars for this review is: 8 Cleaning review #449 The number of stars for this review is: 9 Cleaning review #450 The number of stars for this review is: 5 Cleaning review #451 The number of stars for this review is: 7 Cleaning review #452 The number of stars for this review is: 7 Cleaning review #453 The number of stars for this review is: 10 Cleaning review #454 The number of stars for this review is: 10 Cleaning review #455 The number of stars for this review is: 5 Cleaning review #456 The number of stars for this review is: 9 Cleaning review #457 The number of stars for this review is: 7 Cleaning review #458 The number of stars for this review is: 10 Cleaning review #459 The number of stars for this review is: 10 Cleaning review #460 The number of stars for this review is: 9 Cleaning review #461 The number of stars for this review is: 8 Cleaning review #462 The number of stars for this review is: 5 Cleaning review #463 The number of stars for this review is: 7 Cleaning review #464 The number of stars for this review is: 8 Cleaning review #465 The number of stars for this review is: 7 Cleaning review #466 The number of stars for this review is: 8 Cleaning review #467 The number of stars for this review is: 7 Cleaning review #468 The number of stars for this review is: 7 Cleaning review #469 The number of stars for this review is: 9 Cleaning review #470 The number of stars for this review is: 5 Cleaning review #471 The number of stars for this review is: 8 Cleaning review #472 The number of stars for this review is: 7 Cleaning review #473 The number of stars for this review is: 8 Cleaning review #474 The number of stars for this review is: 7 Cleaning review #475 The number of stars for this review is: 7 Cleaning review #476 The number of stars for this review is: 6 Cleaning review #477 The number of stars for this review is: 2 Cleaning review #478 The number of stars for this review is: 8 Cleaning review #479 The number of stars for this review is: 8 Cleaning review #480 The number of stars for this review is: 9 Cleaning review #481 The number of stars for this review is: 9 Cleaning review #482 The number of stars for this review is: 10 Cleaning review #483 The number of stars for this review is: 9 Cleaning review #484 The number of stars for this review is: 9 Cleaning review #485 The number of stars for this review is: 5 Cleaning review #486 The number of stars for this review is: 4 Cleaning review #487 The number of stars for this review is: 1 Cleaning review #488 The number of stars for this review is: 4 Cleaning review #489 The number of stars for this review is: 1 Cleaning review #490 The number of stars for this review is: 5 Cleaning review #491 The number of stars for this review is: 10 Cleaning review #492 The number of stars for this review is: 8 Cleaning review #493 The number of stars for this review is: 8 Cleaning review #494 The number of stars for this review is: 7 Cleaning review #495 The number of stars for this review is: 8 Cleaning review #496 The number of stars for this review is: 8 Cleaning review #497 The number of stars for this review is: 8 Cleaning review #498 The number of stars for this review is: 5 Cleaning review #499 The number of stars for this review is: 7 Cleaning review #500 The number of stars for this review is: 8 Total Number of Movie Review Document Vectors: 500
#open the base URL webpage
html_page_bad = urlopen("https://www.imdb.com/list/ls061324742/")
#instantiate beautiful soup object of the html page
soup_bad = BeautifulSoup(html_page_bad, 'lxml')
review_text_first_5_bad = get_movie_reviews(soup_bad, n_reviews_per_movie=5)
Retrieving all baseline URLs... Retrieved all second-level URLs... Retrieved all third-level URLs... Retrieved all fourth-level URLs... Retrieved all fifth-level URLs... All reviews retrieved!
all_bad_movie_reviews_500 = get_tagged_documents(review_text_first_5_bad, stopwords, tokenizer, punctuations, LabeledSentence1)
Creating Tagged Documents... Cleaning review #1 The number of stars for this review is: 7 Cleaning review #2 The number of stars for this review is: 5 Cleaning review #3 The number of stars for this review is: 9 Cleaning review #4 The number of stars for this review is: 9 Cleaning review #5 The number of stars for this review is: 9 Cleaning review #6 The number of stars for this review is: 5 Cleaning review #7 The number of stars for this review is: 5 Cleaning review #8 The number of stars for this review is: 7 Cleaning review #9 The number of stars for this review is: 3 Cleaning review #10 The number of stars for this review is: 5 Cleaning review #11 The number of stars for this review is: 5 Cleaning review #12 The number of stars for this review is: 6 Cleaning review #13 The number of stars for this review is: 5 Cleaning review #14 The number of stars for this review is: 5 Cleaning review #15 The number of stars for this review is: 3 Cleaning review #16 The number of stars for this review is: 8 Cleaning review #17 The number of stars for this review is: 10 Cleaning review #18 The number of stars for this review is: 5 Cleaning review #19 The number of stars for this review is: 9 Cleaning review #20 The number of stars for this review is: 5 Cleaning review #21 The number of stars for this review is: 10 Cleaning review #22 The number of stars for this review is: 8 Cleaning review #23 The number of stars for this review is: 5 Cleaning review #24 The number of stars for this review is: 6 Cleaning review #25 The number of stars for this review is: 6 Cleaning review #26 The number of stars for this review is: 1 Cleaning review #27 The number of stars for this review is: 3 Cleaning review #28 The number of stars for this review is: 5 Cleaning review #29 The number of stars for this review is: 2 Cleaning review #30 The number of stars for this review is: 3 Cleaning review #31 The number of stars for this review is: 7 Cleaning review #32 The number of stars for this review is: 9 Cleaning review #33 The number of stars for this review is: 7 Cleaning review #34 The number of stars for this review is: 8 Cleaning review #35 The number of stars for this review is: 6 Cleaning review #36 The number of stars for this review is: 7 Cleaning review #37 The number of stars for this review is: 1 Cleaning review #38 The number of stars for this review is: 7 Cleaning review #39 The number of stars for this review is: 4 Cleaning review #40 The number of stars for this review is: 6 Cleaning review #41 The number of stars for this review is: 5 Cleaning review #42 The number of stars for this review is: 5 Cleaning review #43 The number of stars for this review is: 1 Cleaning review #44 The number of stars for this review is: 3 Cleaning review #45 The number of stars for this review is: 4 Cleaning review #46 The number of stars for this review is: 6 Cleaning review #47 The number of stars for this review is: 8 Cleaning review #48 The number of stars for this review is: 5 Cleaning review #49 The number of stars for this review is: 6 Cleaning review #50 The number of stars for this review is: 10 Cleaning review #51 The number of stars for this review is: 5 Cleaning review #52 The number of stars for this review is: 4 Cleaning review #53 The number of stars for this review is: 5 Cleaning review #54 The number of stars for this review is: 5 Cleaning review #55 The number of stars for this review is: 5 Cleaning review #56 The number of stars for this review is: 10 Cleaning review #57 The number of stars for this review is: 10 Cleaning review #58 The number of stars for this review is: 7 Cleaning review #59 The number of stars for this review is: 10 Cleaning review #60 The number of stars for this review is: 5 Cleaning review #61 The number of stars for this review is: 3 Cleaning review #62 The number of stars for this review is: 9 Cleaning review #63 The number of stars for this review is: 5 Cleaning review #64 The number of stars for this review is: 5 Cleaning review #65 The number of stars for this review is: 1 Cleaning review #66 The number of stars for this review is: 6 Cleaning review #67 The number of stars for this review is: 7 Cleaning review #68 The number of stars for this review is: 5 Cleaning review #69 The number of stars for this review is: 5 Cleaning review #70 The number of stars for this review is: 6 Cleaning review #71 The number of stars for this review is: 4 Cleaning review #72 The number of stars for this review is: 5 Cleaning review #73 The number of stars for this review is: 5 Cleaning review #74 The number of stars for this review is: 9 Cleaning review #75 The number of stars for this review is: 6 Cleaning review #76 The number of stars for this review is: 7 Cleaning review #77 The number of stars for this review is: 8 Cleaning review #78 The number of stars for this review is: 5 Cleaning review #79 The number of stars for this review is: 6 Cleaning review #80 The number of stars for this review is: 5 Cleaning review #81 The number of stars for this review is: 5 Cleaning review #82 The number of stars for this review is: 5 Cleaning review #83 The number of stars for this review is: 5 Cleaning review #84 The number of stars for this review is: 6 Cleaning review #85 The number of stars for this review is: 4 Cleaning review #86 The number of stars for this review is: 4 Cleaning review #87 The number of stars for this review is: 1 Cleaning review #88 The number of stars for this review is: 5 Cleaning review #89 The number of stars for this review is: 1 Cleaning review #90 The number of stars for this review is: 3 Cleaning review #91 The number of stars for this review is: 6 Cleaning review #92 The number of stars for this review is: 5 Cleaning review #93 The number of stars for this review is: 8 Cleaning review #94 The number of stars for this review is: 6 Cleaning review #95 The number of stars for this review is: 5 Cleaning review #96 The number of stars for this review is: 5 Cleaning review #97 The number of stars for this review is: 4 Cleaning review #98 The number of stars for this review is: 6 Cleaning review #99 The number of stars for this review is: 8 Cleaning review #100 The number of stars for this review is: 1 Cleaning review #101 The number of stars for this review is: 10 Cleaning review #102 The number of stars for this review is: 9 Cleaning review #103 The number of stars for this review is: 5 Cleaning review #104 The number of stars for this review is: 4 Cleaning review #105 The number of stars for this review is: 5 Cleaning review #106 The number of stars for this review is: 10 Cleaning review #107 The number of stars for this review is: 8 Cleaning review #108 The number of stars for this review is: 9 Cleaning review #109 The number of stars for this review is: 5 Cleaning review #110 The number of stars for this review is: 10 Cleaning review #111 The number of stars for this review is: 5 Cleaning review #112 The number of stars for this review is: 5 Cleaning review #113 The number of stars for this review is: 10 Cleaning review #114 The number of stars for this review is: 10 Cleaning review #115 The number of stars for this review is: 8 Cleaning review #116 The number of stars for this review is: 7 Cleaning review #117 The number of stars for this review is: 8 Cleaning review #118 The number of stars for this review is: 7 Cleaning review #119 The number of stars for this review is: 6 Cleaning review #120 The number of stars for this review is: 5 Cleaning review #121 The number of stars for this review is: 7 Cleaning review #122 The number of stars for this review is: 6 Cleaning review #123 The number of stars for this review is: 5 Cleaning review #124 The number of stars for this review is: 5 Cleaning review #125 The number of stars for this review is: 1 Cleaning review #126 The number of stars for this review is: 4 Cleaning review #127 The number of stars for this review is: 3 Cleaning review #128 The number of stars for this review is: 3 Cleaning review #129 The number of stars for this review is: 5 Cleaning review #130 The number of stars for this review is: 5 Cleaning review #131 The number of stars for this review is: 10 Cleaning review #132 The number of stars for this review is: 9 Cleaning review #133 The number of stars for this review is: 10 Cleaning review #134 The number of stars for this review is: 10 Cleaning review #135 The number of stars for this review is: 8 Cleaning review #136 The number of stars for this review is: 5 Cleaning review #137 The number of stars for this review is: 7 Cleaning review #138 The number of stars for this review is: 4 Cleaning review #139 The number of stars for this review is: 3 Cleaning review #140 The number of stars for this review is: 1 Cleaning review #141 The number of stars for this review is: 9 Cleaning review #142 The number of stars for this review is: 10 Cleaning review #143 The number of stars for this review is: 10 Cleaning review #144 The number of stars for this review is: 9 Cleaning review #145 The number of stars for this review is: 5 Cleaning review #146 The number of stars for this review is: 5 Cleaning review #147 The number of stars for this review is: 7 Cleaning review #148 The number of stars for this review is: 7 Cleaning review #149 The number of stars for this review is: 9 Cleaning review #150 The number of stars for this review is: 5 Cleaning review #151 The number of stars for this review is: 4 Cleaning review #152 The number of stars for this review is: 3 Cleaning review #153 The number of stars for this review is: 3 Cleaning review #154 The number of stars for this review is: 4 Cleaning review #155 The number of stars for this review is: 7 Cleaning review #156 The number of stars for this review is: 7 Cleaning review #157 The number of stars for this review is: 3 Cleaning review #158 The number of stars for this review is: 6 Cleaning review #159 The number of stars for this review is: 3 Cleaning review #160 The number of stars for this review is: 9 Cleaning review #161 The number of stars for this review is: 1 Cleaning review #162 The number of stars for this review is: 3 Cleaning review #163 The number of stars for this review is: 3 Cleaning review #164 The number of stars for this review is: 1 Cleaning review #165 The number of stars for this review is: 4 Cleaning review #166 The number of stars for this review is: 3 Cleaning review #167 The number of stars for this review is: 6 Cleaning review #168 The number of stars for this review is: 7 Cleaning review #169 The number of stars for this review is: 5 Cleaning review #170 The number of stars for this review is: 3 Cleaning review #171 The number of stars for this review is: 5 Cleaning review #172 The number of stars for this review is: 7 Cleaning review #173 The number of stars for this review is: 8 Cleaning review #174 The number of stars for this review is: 6 Cleaning review #175 The number of stars for this review is: 5 Cleaning review #176 The number of stars for this review is: 6 Cleaning review #177 The number of stars for this review is: 5 Cleaning review #178 The number of stars for this review is: 6 Cleaning review #179 The number of stars for this review is: 5 Cleaning review #180 The number of stars for this review is: 7 Cleaning review #181 The number of stars for this review is: 10 Cleaning review #182 The number of stars for this review is: 10 Cleaning review #183 The number of stars for this review is: 5 Cleaning review #184 The number of stars for this review is: 10 Cleaning review #185 The number of stars for this review is: 10 Cleaning review #186 The number of stars for this review is: 1 Cleaning review #187 The number of stars for this review is: 5 Cleaning review #188 The number of stars for this review is: 5 Cleaning review #189 The number of stars for this review is: 5 Cleaning review #190 The number of stars for this review is: 5 Cleaning review #191 The number of stars for this review is: 7 Cleaning review #192 The number of stars for this review is: 9 Cleaning review #193 The number of stars for this review is: 2 Cleaning review #194 The number of stars for this review is: 1 Cleaning review #195 The number of stars for this review is: 1 Cleaning review #196 The number of stars for this review is: 9 Cleaning review #197 The number of stars for this review is: 7 Cleaning review #198 The number of stars for this review is: 9 Cleaning review #199 The number of stars for this review is: 10 Cleaning review #200 The number of stars for this review is: 5 Cleaning review #201 The number of stars for this review is: 7 Cleaning review #202 The number of stars for this review is: 5 Cleaning review #203 The number of stars for this review is: 8 Cleaning review #204 The number of stars for this review is: 7 Cleaning review #205 The number of stars for this review is: 3 Cleaning review #206 The number of stars for this review is: 5 Cleaning review #207 The number of stars for this review is: 5 Cleaning review #208 The number of stars for this review is: 7 Cleaning review #209 The number of stars for this review is: 5 Cleaning review #210 The number of stars for this review is: 4 Cleaning review #211 The number of stars for this review is: 5 Cleaning review #212 The number of stars for this review is: 10 Cleaning review #213 The number of stars for this review is: 10 Cleaning review #214 The number of stars for this review is: 10 Cleaning review #215 The number of stars for this review is: 10 Cleaning review #216 The number of stars for this review is: 7 Cleaning review #217 The number of stars for this review is: 10 Cleaning review #218 The number of stars for this review is: 8 Cleaning review #219 The number of stars for this review is: 9 Cleaning review #220 The number of stars for this review is: 10 Cleaning review #221 The number of stars for this review is: 4 Cleaning review #222 The number of stars for this review is: 7 Cleaning review #223 The number of stars for this review is: 5 Cleaning review #224 The number of stars for this review is: 5 Cleaning review #225 The number of stars for this review is: 5 Cleaning review #226 The number of stars for this review is: 7 Cleaning review #227 The number of stars for this review is: 8 Cleaning review #228 The number of stars for this review is: 10 Cleaning review #229 The number of stars for this review is: 6 Cleaning review #230 The number of stars for this review is: 10 Cleaning review #231 The number of stars for this review is: 6 Cleaning review #232 The number of stars for this review is: 5 Cleaning review #233 The number of stars for this review is: 6 Cleaning review #234 The number of stars for this review is: 8 Cleaning review #235 The number of stars for this review is: 5 Cleaning review #236 The number of stars for this review is: 7 Cleaning review #237 The number of stars for this review is: 3 Cleaning review #238 The number of stars for this review is: 3 Cleaning review #239 The number of stars for this review is: 7 Cleaning review #240 The number of stars for this review is: 5 Cleaning review #241 The number of stars for this review is: 5 Cleaning review #242 The number of stars for this review is: 1 Cleaning review #243 The number of stars for this review is: 1 Cleaning review #244 The number of stars for this review is: 1 Cleaning review #245 The number of stars for this review is: 1 Cleaning review #246 The number of stars for this review is: 8 Cleaning review #247 The number of stars for this review is: 6 Cleaning review #248 The number of stars for this review is: 6 Cleaning review #249 The number of stars for this review is: 10 Cleaning review #250 The number of stars for this review is: 6 Cleaning review #251 The number of stars for this review is: 4 Cleaning review #252 The number of stars for this review is: 7 Cleaning review #253 The number of stars for this review is: 5 Cleaning review #254 The number of stars for this review is: 5 Cleaning review #255 The number of stars for this review is: 7 Cleaning review #256 The number of stars for this review is: 4 Cleaning review #257 The number of stars for this review is: 5 Cleaning review #258 The number of stars for this review is: 7 Cleaning review #259 The number of stars for this review is: 6 Cleaning review #260 The number of stars for this review is: 5 Cleaning review #261 The number of stars for this review is: 8 Cleaning review #262 The number of stars for this review is: 10 Cleaning review #263 The number of stars for this review is: 7 Cleaning review #264 The number of stars for this review is: 9 Cleaning review #265 The number of stars for this review is: 7 Cleaning review #266 The number of stars for this review is: 1 Cleaning review #267 The number of stars for this review is: 2 Cleaning review #268 The number of stars for this review is: 3 Cleaning review #269 The number of stars for this review is: 2 Cleaning review #270 The number of stars for this review is: 1 Cleaning review #271 The number of stars for this review is: 2 Cleaning review #272 The number of stars for this review is: 5 Cleaning review #273 The number of stars for this review is: 3 Cleaning review #274 The number of stars for this review is: 7 Cleaning review #275 The number of stars for this review is: 5 Cleaning review #276 The number of stars for this review is: 2 Cleaning review #277 The number of stars for this review is: 5 Cleaning review #278 The number of stars for this review is: 1 Cleaning review #279 The number of stars for this review is: 5 Cleaning review #280 The number of stars for this review is: 1 Cleaning review #281 The number of stars for this review is: 6 Cleaning review #282 The number of stars for this review is: 6 Cleaning review #283 The number of stars for this review is: 5 Cleaning review #284 The number of stars for this review is: 5 Cleaning review #285 The number of stars for this review is: 6 Cleaning review #286 The number of stars for this review is: 5 Cleaning review #287 The number of stars for this review is: 6 Cleaning review #288 The number of stars for this review is: 5 Cleaning review #289 The number of stars for this review is: 7 Cleaning review #290 The number of stars for this review is: 5 Cleaning review #291 The number of stars for this review is: 5 Cleaning review #292 The number of stars for this review is: 10 Cleaning review #293 The number of stars for this review is: 8 Cleaning review #294 The number of stars for this review is: 9 Cleaning review #295 The number of stars for this review is: 6 Cleaning review #296 The number of stars for this review is: 5 Cleaning review #297 The number of stars for this review is: 8 Cleaning review #298 The number of stars for this review is: 5 Cleaning review #299 The number of stars for this review is: 5 Cleaning review #300 The number of stars for this review is: 7 Cleaning review #301 The number of stars for this review is: 10 Cleaning review #302 The number of stars for this review is: 10 Cleaning review #303 The number of stars for this review is: 5 Cleaning review #304 The number of stars for this review is: 9 Cleaning review #305 The number of stars for this review is: 10 Cleaning review #306 The number of stars for this review is: 9 Cleaning review #307 The number of stars for this review is: 9 Cleaning review #308 The number of stars for this review is: 7 Cleaning review #309 The number of stars for this review is: 7 Cleaning review #310 The number of stars for this review is: 10 Cleaning review #311 The number of stars for this review is: 6 Cleaning review #312 The number of stars for this review is: 8 Cleaning review #313 The number of stars for this review is: 10 Cleaning review #314 The number of stars for this review is: 10 Cleaning review #315 The number of stars for this review is: 9 Cleaning review #316 The number of stars for this review is: 7 Cleaning review #317 The number of stars for this review is: 7 Cleaning review #318 The number of stars for this review is: 6 Cleaning review #319 The number of stars for this review is: 6 Cleaning review #320 The number of stars for this review is: 10 Cleaning review #321 The number of stars for this review is: 7 Cleaning review #322 The number of stars for this review is: 7 Cleaning review #323 The number of stars for this review is: 6 Cleaning review #324 The number of stars for this review is: 6 Cleaning review #325 The number of stars for this review is: 8 Cleaning review #326 The number of stars for this review is: 8 Cleaning review #327 The number of stars for this review is: 10 Cleaning review #328 The number of stars for this review is: 9 Cleaning review #329 The number of stars for this review is: 7 Cleaning review #330 The number of stars for this review is: 10 Cleaning review #331 The number of stars for this review is: 5 Cleaning review #332 The number of stars for this review is: 5 Cleaning review #333 The number of stars for this review is: 5 Cleaning review #334 The number of stars for this review is: 6 Cleaning review #335 The number of stars for this review is: 8 Cleaning review #336 The number of stars for this review is: 5 Cleaning review #337 The number of stars for this review is: 5 Cleaning review #338 The number of stars for this review is: 10 Cleaning review #339 The number of stars for this review is: 8 Cleaning review #340 The number of stars for this review is: 8 Cleaning review #341 The number of stars for this review is: 8 Cleaning review #342 The number of stars for this review is: 6 Cleaning review #343 The number of stars for this review is: 5 Cleaning review #344 The number of stars for this review is: 6 Cleaning review #345 The number of stars for this review is: 6 Cleaning review #346 The number of stars for this review is: 6 Cleaning review #347 The number of stars for this review is: 10 Cleaning review #348 The number of stars for this review is: 10 Cleaning review #349 The number of stars for this review is: 7 Cleaning review #350 The number of stars for this review is: 5 Cleaning review #351 The number of stars for this review is: 8 Cleaning review #352 The number of stars for this review is: 5 Cleaning review #353 The number of stars for this review is: 5 Cleaning review #354 The number of stars for this review is: 8 Cleaning review #355 The number of stars for this review is: 5 Cleaning review #356 The number of stars for this review is: 2 Cleaning review #357 The number of stars for this review is: 1 Cleaning review #358 The number of stars for this review is: 3 Cleaning review #359 The number of stars for this review is: 2 Cleaning review #360 The number of stars for this review is: 1 Cleaning review #361 The number of stars for this review is: 10 Cleaning review #362 The number of stars for this review is: 5 Cleaning review #363 The number of stars for this review is: 10 Cleaning review #364 The number of stars for this review is: 8 Cleaning review #365 The number of stars for this review is: 10 Cleaning review #366 The number of stars for this review is: 6 Cleaning review #367 The number of stars for this review is: 8 Cleaning review #368 The number of stars for this review is: 8 Cleaning review #369 The number of stars for this review is: 5 Cleaning review #370 The number of stars for this review is: 6 Cleaning review #371 The number of stars for this review is: 5 Cleaning review #372 The number of stars for this review is: 10 Cleaning review #373 The number of stars for this review is: 8 Cleaning review #374 The number of stars for this review is: 8 Cleaning review #375 The number of stars for this review is: 5 Cleaning review #376 The number of stars for this review is: 9 Cleaning review #377 The number of stars for this review is: 8 Cleaning review #378 The number of stars for this review is: 10 Cleaning review #379 The number of stars for this review is: 8 Cleaning review #380 The number of stars for this review is: 6 Cleaning review #381 The number of stars for this review is: 8 Cleaning review #382 The number of stars for this review is: 7 Cleaning review #383 The number of stars for this review is: 8 Cleaning review #384 The number of stars for this review is: 5 Cleaning review #385 The number of stars for this review is: 8 Cleaning review #386 The number of stars for this review is: 7 Cleaning review #387 The number of stars for this review is: 3 Cleaning review #388 The number of stars for this review is: 5 Cleaning review #389 The number of stars for this review is: 6 Cleaning review #390 The number of stars for this review is: 7 Cleaning review #391 The number of stars for this review is: 10 Cleaning review #392 The number of stars for this review is: 7 Cleaning review #393 The number of stars for this review is: 5 Cleaning review #394 The number of stars for this review is: 6 Cleaning review #395 The number of stars for this review is: 8 Cleaning review #396 The number of stars for this review is: 5 Cleaning review #397 The number of stars for this review is: 6 Cleaning review #398 The number of stars for this review is: 3 Cleaning review #399 The number of stars for this review is: 10 Cleaning review #400 The number of stars for this review is: 5 Cleaning review #401 The number of stars for this review is: 6 Cleaning review #402 The number of stars for this review is: 5 Cleaning review #403 The number of stars for this review is: 5 Cleaning review #404 The number of stars for this review is: 7 Cleaning review #405 The number of stars for this review is: 8 Cleaning review #406 The number of stars for this review is: 6 Cleaning review #407 The number of stars for this review is: 5 Cleaning review #408 The number of stars for this review is: 7 Cleaning review #409 The number of stars for this review is: 7 Cleaning review #410 The number of stars for this review is: 6 Cleaning review #411 The number of stars for this review is: 1 Cleaning review #412 The number of stars for this review is: 1 Cleaning review #413 The number of stars for this review is: 5 Cleaning review #414 The number of stars for this review is: 5 Cleaning review #415 The number of stars for this review is: 5 Cleaning review #416 The number of stars for this review is: 10 Cleaning review #417 The number of stars for this review is: 10 Cleaning review #418 The number of stars for this review is: 5 Cleaning review #419 The number of stars for this review is: 10 Cleaning review #420 The number of stars for this review is: 9 Cleaning review #421 The number of stars for this review is: 4 Cleaning review #422 The number of stars for this review is: 8 Cleaning review #423 The number of stars for this review is: 5 Cleaning review #424 The number of stars for this review is: 3 Cleaning review #425 The number of stars for this review is: 1 Cleaning review #426 The number of stars for this review is: 5 Cleaning review #427 The number of stars for this review is: 9 Cleaning review #428 The number of stars for this review is: 8 Cleaning review #429 The number of stars for this review is: 8 Cleaning review #430 The number of stars for this review is: 5 Cleaning review #431 The number of stars for this review is: 6 Cleaning review #432 The number of stars for this review is: 8 Cleaning review #433 The number of stars for this review is: 9 Cleaning review #434 The number of stars for this review is: 5 Cleaning review #435 The number of stars for this review is: 8 Cleaning review #436 The number of stars for this review is: 5 Cleaning review #437 The number of stars for this review is: 5 Cleaning review #438 The number of stars for this review is: 9 Cleaning review #439 The number of stars for this review is: 8 Cleaning review #440 The number of stars for this review is: 10 Cleaning review #441 The number of stars for this review is: 5 Cleaning review #442 The number of stars for this review is: 5 Cleaning review #443 The number of stars for this review is: 5 Cleaning review #444 The number of stars for this review is: 5 Cleaning review #445 The number of stars for this review is: 10 Cleaning review #446 The number of stars for this review is: 10 Cleaning review #447 The number of stars for this review is: 9 Cleaning review #448 The number of stars for this review is: 8 Cleaning review #449 The number of stars for this review is: 7 Cleaning review #450 The number of stars for this review is: 10 Cleaning review #451 The number of stars for this review is: 9 Cleaning review #452 The number of stars for this review is: 7 Cleaning review #453 The number of stars for this review is: 7 Cleaning review #454 The number of stars for this review is: 6 Cleaning review #455 The number of stars for this review is: 6 Cleaning review #456 The number of stars for this review is: 9 Cleaning review #457 The number of stars for this review is: 10 Cleaning review #458 The number of stars for this review is: 7 Cleaning review #459 The number of stars for this review is: 7 Cleaning review #460 The number of stars for this review is: 8 Cleaning review #461 The number of stars for this review is: 7 Cleaning review #462 The number of stars for this review is: 5 Cleaning review #463 The number of stars for this review is: 10 Cleaning review #464 The number of stars for this review is: 5 Cleaning review #465 The number of stars for this review is: 9 Cleaning review #466 The number of stars for this review is: 7 Cleaning review #467 The number of stars for this review is: 9 Cleaning review #468 The number of stars for this review is: 5 Cleaning review #469 The number of stars for this review is: 8 Cleaning review #470 The number of stars for this review is: 8 Cleaning review #471 The number of stars for this review is: 8 Cleaning review #472 The number of stars for this review is: 8 Cleaning review #473 The number of stars for this review is: 5 Cleaning review #474 The number of stars for this review is: 7 Cleaning review #475 The number of stars for this review is: 6 Cleaning review #476 The number of stars for this review is: 6 Cleaning review #477 The number of stars for this review is: 8 Cleaning review #478 The number of stars for this review is: 5 Cleaning review #479 The number of stars for this review is: 7 Cleaning review #480 The number of stars for this review is: 8 Cleaning review #481 The number of stars for this review is: 5 Cleaning review #482 The number of stars for this review is: 7 Cleaning review #483 The number of stars for this review is: 4 Cleaning review #484 The number of stars for this review is: 5 Cleaning review #485 The number of stars for this review is: 5 Cleaning review #486 The number of stars for this review is: 4 Cleaning review #487 The number of stars for this review is: 10 Cleaning review #488 The number of stars for this review is: 10 Cleaning review #489 The number of stars for this review is: 7 Cleaning review #490 The number of stars for this review is: 7 Cleaning review #491 The number of stars for this review is: 10 Cleaning review #492 The number of stars for this review is: 9 Cleaning review #493 The number of stars for this review is: 8 Cleaning review #494 The number of stars for this review is: 9 Cleaning review #495 The number of stars for this review is: 8 Cleaning review #496 The number of stars for this review is: 8 Cleaning review #497 The number of stars for this review is: 5 Cleaning review #498 The number of stars for this review is: 5 Cleaning review #499 The number of stars for this review is: 5 Cleaning review #500 The number of stars for this review is: 5 Total Number of Movie Review Document Vectors: 500
all_reviews = all_good_movie_reviews_500 + all_bad_movie_reviews_500
all_reviews_text = []
all_reviews_ttl = []
all_reviews_strz = []
for i,j in all_reviews:
if j[0][1] == 5:
continue
else:
all_reviews_text.append(i)
all_reviews_ttl.append(j[0][0])
all_reviews_strz.append(j[0][1])
#reg_ex = regex.compile('[^a-zA-Z]')
#dictionary = corpora.Dictionary(all_reviews_text)
#remove extremes (similar to the min/max df step used when creating the tf-idf matrix)
#filtered_dict = dictionary.filter_extremes(no_below=1, no_above=0.8)
#convert the dictionary to a bag of words corpus for reference
#corpus = [dictionary.doc2bow(text) for text in all_reviews_text]
all_reviews_joined = [' '.join(w) for w in all_reviews_text]
print(len(all_reviews_text), len(all_reviews_ttl), len(all_reviews_strz), len(all_reviews_joined))
808 808 808 808
all_strz_binary = []
for strz in all_reviews_strz:
strz = 1 if strz > 5.0 else 0
all_strz_binary.append(strz)
true_targets = all_strz_binary
rev_regressors = [dbow.infer_vector(rev, epochs=200) for rev in all_reviews_text]
nn_rev_input = np.stack(rev_regressors, axis=0)
nn_rev_input.shape
(808, 100)
model_d2v_all.evaluate(x=nn_rev_input, y=true_targets)
808/808 [==============================] - ETA: 0s - 0s 23us/step
[0.6962011533208413, 0.7524752475247525]
#predict method to generate predictions from DNN model and test data
pred_rev = model_d2v_all.predict(nn_rev_input)
threshold=0.5
print(confusion_matrix(np.array(true_targets), (pred_rev>threshold).astype(int)))
print('\n')
print(classification_report(np.array(true_targets), (pred_rev>threshold).astype(int)))
#classification accuracy score
dbow_dnn_horror_rev_accuracy = accuracy_score(np.array(true_targets), (pred_rev>threshold).astype(int))
print("Correct classification rate:", dbow_dnn_horror_rev_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(true_targets), (pred_rev>threshold).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (Distributed Bag-of-Words Dense Neural Network-based Sentiment Analyzer) \n \
Performance of the Trained Model on Scraped Reviews of the 100 Best and Worst Horror Movies', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[111 4]
[196 497]]
precision recall f1-score support
0 0.36 0.97 0.53 115
1 0.99 0.72 0.83 693
avg / total 0.90 0.75 0.79 808
Correct classification rate: 0.7524752475247525
true_targets_arr = np.array(true_targets)
true_targets_arr.shape
(808,)
pred_rev_arr = pred_rev.reshape(len(pred_rev))
pred_rev_arr = (pred_rev_arr>threshold).astype(int)
pred_rev_arr.shape
(808,)
misclass_indices_pos = np.where((true_targets_arr != pred_rev_arr) & (pred_rev_arr == 0))
misclass_indices_pos
(array([ 3, 12, 13, 16, 18, 24, 29, 35, 39, 43, 51, 55, 62,
68, 73, 75, 83, 90, 99, 100, 111, 112, 122, 131, 132, 134,
135, 140, 151, 152, 170, 182, 188, 197, 212, 213, 216, 226, 227,
236, 237, 245, 247, 249, 251, 255, 258, 259, 260, 280, 281, 290,
306, 313, 315, 318, 321, 322, 323, 324, 325, 333, 339, 349, 356,
361, 363, 371, 377, 383, 384, 395, 401, 402, 404, 410, 423, 438,
439, 442, 443, 446, 454, 456, 458, 459, 465, 466, 469, 471, 473,
479, 489, 490, 491, 494, 496, 497, 498, 504, 506, 508, 509, 511,
516, 521, 523, 524, 526, 551, 564, 566, 568, 569, 570, 571, 573,
578, 586, 587, 588, 590, 592, 594, 595, 596, 599, 602, 608, 611,
619, 620, 621, 623, 625, 642, 646, 648, 655, 666, 667, 672, 673,
674, 688, 689, 690, 691, 693, 694, 695, 706, 709, 711, 714, 715,
719, 728, 729, 730, 732, 734, 736, 741, 743, 758, 764, 774, 777,
782, 788, 790, 791, 800, 801, 805, 807], dtype=int64),)
misclass_indices_neg = np.where((true_targets_arr != pred_rev_arr) & (pred_rev_arr == 1))
misclass_indices_neg
(array([221, 550, 576, 639, 797], dtype=int64),)
misclass_revs_neg = [(all_reviews_joined[i], all_reviews_ttl[i], all_reviews_strz[i]) for i in misclass_indices_neg[0]]
misclass_revs_pos = [(all_reviews_joined[i], all_reviews_ttl[i], all_reviews_strz[i]) for i in misclass_indices_pos[0]]
print('The false positives produced by the DBOW Sentiment Classifier were: \n\n')
pretty_print(misclass_revs_neg)
The false positives produced by the DBOW Sentiment Classifier were: great idea that unfortunately fall short of what i expected both lead character be make to purposefully fall short in their ability to outsmart one another by simply be mediocre at be the killer and the obvious survivor so youre not so much glue in anticipation to the outcome but much so find yourself wait for the inevitable the film lose its ability to scare you a the killer reveal himself too early and when he doe his face lessen what be already a non threaten mask i didnt see any twist or turn and nothing make me feel surprise or shocked which be a shame a i feel the core of this movie be a fantastic idea Hush 4.0 a lot have be write and say about alien of the unauthorized follow up of alien i watch it year ago and just can remember the fall head attack by a alien so i watch it again but my only concern be to catch the uncut version english language a lot have be say about the run time took i have see version that go up to 100 minutes here on iadb and other site they say of minute but when you catch a seller of alien its always of minute long so i do catch me the of full uncut version a say on the cover the full uncut should contain the fall head the explode head and the head sucking there be also a nudity scene take place my copy be intact all i can tell be that it be a slow starter a lot of blah blah and a lot of bowl scenes when they finally descent the gore starts but again in a slow way everybody hate this movie strange it be also one of the much search oops due to the fall head i have see worser but dont expect a follow up of the original alien the budget be way to low for that so it go on and on all that horrorgeeks will once in their live be catch by this flick as say on the end credits you can be next Alien 2: On Earth 4.0 as co-founder of nicko joes bad film club show here in the uke all i can do be stand on my chair and applaud wildly a true true instance of a great bad movie its come a very close a to shark attack of which be of course the best bad shark movie ever the well thing about the film though be be able to see all of my favourite shark movie in the one film genius idea so many time ive be stick watch a movie like star wars and thought jeesh this movie be great but it can do with a few star trek cut aways there be moment of true hilarity and you have to admire the ball it take to put a film like this out not really bravo Cruel Jaws 1.0 i recently see the fog and then read a lot of the review post on iadb about it in my opinion you people be be too easy on it can you rate anything below a of can i give a negative rate to this film and much of all ism write revolution studios and demand my money back when you pay money to see something in a theater i feel that there be a mutual and unspoken guarantee from the studio release it that the film will at the very least resemble something that looks a if it be make by a group of people who know something about film-making after see this i would have to seriously question whether or not rupert wainwright have ever actually see a film or if hers just go by what other people have tell him hey rupert movie be really cool you use this thing call a camera and it record people do neat stuff doesnt that sound interesting i dont need to be insult like this the original fog be a good solid piece of horror film-making that generate its scare by make the much of a small budget along with great music and decent effects the new one be a poop stain on the remake underbelly that hollywood have choose to embraced i dont just hate this movie i loathe it i loathe it and everything that it stand for because what it stand for be take your money and then kick you in the balls The Fog 1.0 this be another film i remember from childhood from the day of regular tv free broadcast and adjust the rabbit ears for reception a a crappy but atmospheric british monster picture now not only on cable but on a premium service i come across it again and in letterbox format no less a well the film be still basically very flawed but it really show how much well craft film once were while it remain a simplistic lot of onscreen gore effort this picture be so much much beautiful to look at than many produce today a the cinematography be consistently superior and good support by excellent light and generally good score music and even though the special effect dont match up to today film they retain some value in that they have much visual weight than some of the cgi crap routinely insert in modern movies unfortunately the wacky plot and mediocre well sometimes bad act show through in the end a it may be that the director be try for a lot of humor at point but it only work for me towards the end of the film when one of that flee the burn build stop for a snack in the kitchens for the behead car mention in another review that particular element be worthy of austin powers dry evil a i can see the good doctor in this movie also call out all ism ask for be for some pricking shark with laser on their heads if youve see this before on broadcast tva it may be worth a a look on video or dvd for the cinematography and for the sexual element which explain the plot a little more a in the tv version i see a a kid the sexual theme be not at all evident and so the plot seem even much outlandish than it actually is still if you happen by this big-time cable it may catch your interest but all the way along you ll wonder why any premium channel can have choose this film from their catalogs a there be quite simply so many much old british shocker which be well than horror hospital Horror Hospital 4.0
print('The false negatives produced by the DBOW Sentiment Classifier were: \n\n')
pretty_print(misclass_revs_pos)
The false negatives produced by the DBOW Sentiment Classifier were: i want to start this review with say that i be not completely against jump scares they play integral part of horror movies but when a movie mostly rely on them and be not support with great story i be always leave displeased what make the wailing so special be that there be almost no jump scare at all in this film instead we the viewers be take through a story rich with mystery great character and their struggles dark atmosphere with good design and amazingly craft horror scene that make your blood run cold also in addition the movie carry a great subtext leave for the viewer to question find evidence and interpret it you can feel that the director take some time and do some research to give us a much real horror experience a possible one may find the wailing a bite bore because the film be a slow burner and not construct a much of modern horror films or may find the film too long running time th 36min but if you be patient man it will pay off by the end who say that the horror genre be dead you just have to look beyond that cash grab mainstream horror film with wide release and you may find some hide gems The Wailing 9.0 zombies and much zombies so many they do not cheap outta few original idea and moves which be probably mandatory because they only have the width of a train to play with for much of this film a a beautiful girl what can i say i be a sucker for long-haired woman in short skirts she be not just a she she be a babe a morality story about what ethic means well played Busanhaeng 8.0 dont youths film be fun action-packed full of dangerous elements innovative have pretty girl in it and much importantly be successful yup here come the hollywood remake it will be another entry in the series of redundant unnecessary inferior whitewash and woman make western taliban style ugly hollywood remakes paul fig or jar jar abrams be negotiate their cut a we speak Busanhaeng 7.0 dont summon the devil dont call the priest i be one of a lucky few to have see the conjuring at a preview screen for brightest 2013 i go in totally cold not have see a trailer nor know anything about the story or plot and it turn out to be one of the well scary horror movie i have ever seen the conjuring be a nail-biting hiding-behind-hands movie if youve be disappoint with the like of paranormal activity and insidious this one be likely to deliver in area where they failed it tell the supposedly true story of two paranormal investigators who aim to rid family and property of their suspect supernatural visitations either by disprove them if they turn out to be just creaky floorboard or slam doors or tackle them head-on if not a leap of faith be require to buy into this theme but if youre okay with it then the movie play out pretty good within its genre confines the particular incident they be bring in to deal with be describe a surround a spirit so malevolent it be hide from the public until only now in fairly amityville-like circumstances a family move into a new house and discover the basement be sealed boarded-up behind a doorway it not at all surprise what follows once they decide to take a look in the basement but it be surprise how james wan have manage to take such a tire theme of haunt and possession and revive it so convincingly i be no strange to this kind of movie but this one truly top them all for tension and terror i really enjoy sinister recently which i find to be equally a scary but it lose its way a bite towards the end whereas the conjuring keep tempo and have a fairly satisfy conclusion i particularly like the way the film take a turn for the comical somewhere in the middle only for perhaps five minutes then come back fire on all cylinder a it head to the finales if this be intentional to lure us into a false sense of security it work beautifully if youre the type to poo-poo this genre in general i canst see you suddenly be convert to a believer but if you enjoy classic horror like the exorcist the amityville horror and poltergeists i can almost guarantee the conjuring wont disappoint The Conjuring 9.0 the key with the conjuring be not that it have freshness on its side a evidence by the ream of horror fan argue on internet site about nothing new on the table but while that fan will be go hungry for a very very long time the conjuring doe everything right for the splinter of horror it deal with there a lot to admire about a horror film that in this day and age stand tall and proud against the ream of remakes sequel and teen friendly slasher that haunt the multiplex with all too much frequency this days free of gore and sex this be automatically go to alienate a good portion of the lustful member of the horror fan based but for that who like their horror serve with appetising scare and a cauldron of suspense then this deliver plenty to your particular table forget the based on a true story tag since its kind of irrelevant in this new technological age its a sell gimmick that actually mean this story may be true and we may have play with it a bit regardless of hoax charge and embellishments just buy into the premises commit to it a a scary story in the same way a director james wan has for then the reward be there for the compliant story essentially be base around a investigation in the early seventy by paranormal specialist ed and lorraine warren who aid the perron family a they be victim of dreadful supernatural event at their rhode island home wan build it deftly let us into the perron family live a they move into what they believe to be a dream home then thing start to happen but again wan build it in slow instances create a palpable sense of dread his camera work intelligent so when the big moment come they have maximum impact and have us also yearn for the warrens to get involved there be no over kill of the boo-jump scares they be place with care and marry up superbly with the mount tension naturally all the clich convention of the haunt house movie be here strange smells creaky doors ominous cellar and yet this be supplement with wants talented knack for a good scare and a very effective production design from mysterious bruise and literal leg pull a breath hold game of hide and seek a to bona fide pant soil moments the conjuring be a lesson in sustain unease until the big finale be unleashed the script be devoid of cheese and pointless filler itself refresh in a horror sub-genre that suffer often with this problems joseph bishara musical score be a absolute nerve shredders and again its a refresh accompaniment because it doesnt resort to telegraph shriek to tell us to be afraid it never overwhelm a scene john leonetti cinematography have gothic textures both in the house and outside of the lakeside farmhouses while the strong lead cast of vera farmiga patrick wilson lili taylor and ron livingston come up trump for sure met with critical and box office success the conjuring justify its reputation a a superb haunt house movie The Conjuring 9.0 anyone who live in the world and follow movie have a pretty good idea of the main concept behind a quiet place there be being that will kill you if you make a noise a the film doe very little to try to explain where this being come from all we know be how long theyve be there for and that they have change the face of the planet in a pretty radical way we follow the abbot family who live in a remote country house with a elaborate system to keep each other safe but the main thing be that they have become very skilled at be very quiet the incredible result of that premise be that the film have very little dialogue and instead make great use of visual and sound and there be truly stun set piece in this film and without spoil anything emily blunt give a stellar performance a usual frustratingly because the film choose to concentrate on the action and the premises it fail to give real substance to its character and their relationships a very artificial conflict be create between the dad and his daughter and it truly feel like it be add into a late version of the script to give some sort of emotional arc to the characters but the result be clumsy at best a bite ridiculous at worst additionally the film fail to create very clear rule on what the creature can and cannot heard how they function how they be able to detect obstacle in their path how many there are or how fast they moved be all animal dead and the list probably go on the result be that whatever be establish at one point inevitably change late on to fit the dramatic need of the story but it undermine our ability to suspend disbeliefs repeatedly it feel like the film be do its well to thrill even if that mean go against the films internal logic on a similar note around the middle of the film john krasinski take his son hunting at some point they stop by a waterfalls next to which krasinski start yelling casually explain to his son that a long a there be a loud sound next to them they be absolutely safe i be think the same thing during the of half of the film namely if this creature follow sounds then wouldnt it be simple to constantly distract them with sound everywhere we certainly have the technology to do that also shouldnt there be sound proof shelters couldnt all humanity focus on sound proof all of their homes but even if we accept for one a that this solution be impossible then why not move next to a waterfall or any other natural place that be always very loud plus it doesnt look like they be able to shower at all a waterfall would make a lot of sense hygiene wise understand that this be a movie and sometimes internal logic need to be sacrificed but this become a tough sell after that moment and it feel like the film do very little to address that glare problem A Quiet Place 6.0 theres a lot of this shaky-cam movie around at the moment and among your cloverfield and diary of the deads this low budget spanish movie may seem like the underdog but its punch way above its weight filmed by a tv crow stumble upon something very nasty happen in a apartment block the movie be shoot and act brilliantly the sense of unease gradually give way to all out terror while its obviously derivative of movie like the last broadcast and the blair witch project it manage to deliver in a way that that movie couldnt thank to some brilliant set- pieces its not even out in the uk yet and hollywood have already remake it the inevitably inferior quarantine but do yourself a favor and spend a even in the dark with the original you ll regret it but in the well possible way terrific [Rec] 9.0 this be a story set in the early colonial period of new england it have the authenticity of a well-researched historical drama up to and include dialogue deliver in a period accent and vocabulary softened a bite so that its easy to understand instead of draw on historical events thought it draw on historical folklore -- its the story of witchcraft afflict a family such a may have be tell at the time the character be a very believable ordinary family with the sort of tension and problem youd expect from people live a hard and substantially isolate life after be exile from the local colonial town they also have period calvinist attitudes and the storytelling doesnt present a outsiders view of this or offer a modern commentary but instead it just display this attitude and tell a story from the characters standpoint their reliance on period folklore mean that it doesnt strictly follow modern horror movie tropes either it have the slow build of a modern psychological horror thriller a good a the standard formula where tragedy start from tragic flaws but the tradition its draw on depend on a calvinists conception of flaws and treat witchcraft a a horrible well-understood occurrence rather than a shock supernatural surprise this story apply this perspectives it very good do in term of writing acting and other aspect of execution so it may have cross-over appeal to fan of horror folklore or straight period drama from colonial american The Witch 8.0 whats interest to me be the deep mean and symbol of the film the film be really about two women sarah and her friend juno the film open with sarah lose both her husband and child in a horrific wreck over the course of the movie it become apparent that the accident be cause because the husband be distract and upset over a affair he be have with juno sarah be aware at little subconsciously of juno betrayal and that it lead to the death of her husband and child she be not in a place mentally or emotionally to acknowledge it on a conscious level when sarah awaken from the wreck there be a sequence where she run from darkness the darkness symbolize a call to action sarah reject it by run from it she isnt ready yet this be classically what chase dream be about the dreamer be be pursue by their subconscious give horrible form if the dreamer can make a conscious effort to stop run and speak to the scary thing chase them that dreamers unconscious will speak directly to the dreamer this would be the conscious dreamer drop the ego defense running and interact with the subconscious chasers to gain new insight year pass and juno get all the friend together to go spelunkings she lie and take them to a cave she have discover because she want sarah and her to be the one who find the cave complex and name it in juno sick mind sheds try to perform some type of penance she doesnt see that sheds manipulate her friend to do something incredibly dangerous juno be a manipulator who only see thing from her own narcissistic point of view other people be only a real a juno feel about them going underground be dream imagery for go into the subconscious this can be go into a basement under a bar a in fight club or even underwater sarah be return to the darkness that she run from earlier she start to experience hallucination waking dreams mainly her daughters laugh her subconscious be pull her back to the event that damage her psyche the wreck they get trap and so must go deep into the cave to find a way out thus sarah be go deep and deep into her subconscious its not readily apparent but its when they get to the deep point of the cave the deep level of consciousness that they actually encounter the cave people if you watch you ll notice that they stop travel downward they may fall or be be push downward but the never choose to go down thus the cave people be the much base and ancient level of sarah mind they lack all their senses they have no problem-solving or tool-using skill but they be very strong and aggressive they be a primal force while down with this creatures several key event happen the of be that juno and sarah friend begin to be pick off the a be juno true character be revealed she stab one of her friend accident but then leave rather then help her because of shock but on purpose whats interest be that a soon a juno reunite with the main group she make a big show about she wont leave without sarah who be missing she act differently when people be around character be what you do when other arent watching juno be a person of weak character the big key event be that sarah be separate from the group and end up in the den of the cave dwellers the heart of this low level of her subconscious it be here that juno original betrayal become fully know to sarah conscious self the friend that juno stab be bleed to death and tell sarah of juno and her husband its at this low level that sarah understand juno juno be the type of woman that would wreck the marriage of a good friend stab a friend and leave them to die alone and lead all her friend to certain death because of a ego trip in short juno be a destructive force sarah kill her hurt friend to end her suffering this be the action that juno refused sarah empathize with her friend and refuse to leave her in pain to make her escape juno do not do this juno feel that her feeling and safety be much important than her friends suffering the other event that happen in this room be that sarah kill a cave dweller child and observe its mother grieve over the loss sarah have now commit the same sin a juno the mother try to kill sarah this be what be miss from sarah life sarah need to take vengeance on juno to become whole sarah eventually meet up with juno again and they begin to make their way out a the last two survivors after the last big fight against the cave dwellers sarah confront juno about her lies manipulations and betrayals then sarah stab juno in the leg and leave her for the cave dwellers this the same action juno take early when she stab her friend and leave her what be different be that sarah make a conscious choice to kill juno and take responsibility for the action where juno avoid the responsibility of everything she have done then there be a long sequence where sarah be climb upward out of the dark to the light this be symbolic of a return to consciousness and the real world this movie have parallel with hamlets what be miss from sarah be what be miss from hamlets they both need to take action but because of the horribleness of the action they must take they have recoil from it and spend the whole story get to a point where they come to term with what they must do to be whole The Descent 10.0 this movie be not for the squeamish or the faint of heart censors claim it be offensive to human dignity these be the kind of thing they tell the audience at the world premiere screen of the uncut version of i saw the devil at the toronto international film festival last weeks i have hear the movie be pretty graphics but i never expect that it would push any boundaries i turn out to be only half right after find out his fiancee have be brutally murdered secret agent dae-hoon byung- hun lee be at a loss with the help of his father-in-law he set out on a revenge plot to find the man who do it he quickly find the culprit kyung-chul min-sik choice he beat him pretty badly but instead of kill him he leave him alive he want to stalk his prey and exact his revenge slowly and increasingly much painfully going in with very few idea of what i be about to see i be startle and thrill at the tenacious audacity on display from the open scene all the way until the final frames the film be a gritty merciless experience that can never be truly recreate in north american this be the kind of hard-boiled revenge thriller you can only find in korea and to hear that even the censor there can not handle kim ji-woon complete vision make the film all the much uncompromising and astounding it have take me good over a week to try and come up with the word to describe and review the film but never once have i forget anything i saw it be quite simply unforgettable i be right in assume the film would not push the boundary of what can be show in regard to graphic violence and goree but it come really close it make park chan-wook entire vengeance trilogy look about a violent a the toy story trilogy blood sprays flies drips gush a every verb or way blood can possibly flow out of the human body occur over the course of the film it relish in it no matt if the shoot be raw unflinching and real or hyper stylize and completely over-the-top one sequence involve a brutal double murder a the camera swoop around the scene in a circle be simply magnificent to watch both to see how much blood be spill and for how wicked and incredible a shoot it is the revenge tale at the core of i saw the devil be not all too original but it be the story and idea around it that is very rarely do we see a film with two character that start off completely different but very slowly become all in the same dae-hoon and kyung-chul be both very stubborn individuals who will not back down from each other they just keep at each other and even a kyung- chul be continually beaten abuse and victimized he never once let up i keep come back to a comparison with batman and the joker in the dark knights and how that two menace push each other to their physical limits and that be exactly what happen in this film while it be easy to pick side in dark knights ji-woon make it increasingly difficult for the audience to figure out who they should sympathize with here it be a haunt and blatantly moral-defying story and its raw and emotional undertone be much than difficult to swallow but the key problem i find with the film be ji-woon lack of ability to know when to cut there be easily twenty minute that can be chop right out of the film and none of its edge would be lose in the process i be glue to the screen for the majority of the film but find myself check my watch much than once because i be totally baffle a to why it run over 140 minutes there be only so much revenge one can take and comprehend and have the film run so long make it all too easy to call out a be self-indulgent i respect the film and i respect ji-woon a a filmmaker i want to seek out the rest of his film catalogue immediately after the light come up but it just make such a incredible movie feel a bite sloppy and weaken a a cohesive package another inconsistent element be lees dan-hoon we never learn much about him outside of his be a secret agent and want to inflict a much pain a he can through his revenge scheme so how be we to assume he be not a sick and twist individual in the of place how be we to know this be not his of time inflict such a painful revenge he rarely speaks and his cold calculate eye never once give us a hint of any far development it be a great performance by lee but it be one that feel very underdeveloped a outside of some rather obvious sequences but then anyone would look underdeveloped when stand next to choir the man give a performance that be the stuff of legend he be incredible a the lead in oldboy a the man who be wronged and be even well a the wrongdoer here he bring out the monster in kyung-chul all too easily and his rivet performance be unmissable the transformation into this disgusting psychopathic creature be nothing short of amazing he chew up scenery at every turn and be magnetic on screen nothing even come close to equal the power intensity and dare i say authenticity he put into this character he be the stuff of nightmares i saw the devil be a great revenge thriller but be far from perfect choirs electric performance alone should become require view for anyone with any interest in film an edit version of this review also appear on geekspeakmagazine I Saw the Devil 8.0 spoilers it follows begin how it ends mysteriously a young woman run from her suburban home half dressed terrified confused she crosse the road haphazardly then run back to her house pick up her bag and escape in her care with her father shout after her try to work out what the hell be go onset be not explained the movie then unfolds no captions no narrative it just unwrap itself in a way i have never see in horror whilst it nod at convention the music be unquestionably influence by early john carpenter and the cast be a bunch of sorority kids it be completely original in every other way its beautifully shot carefully script without a single ham line and have a plot that be entirely unpredictable the basic premise be this a things monster demon zombies entity call it what you like be pass between couple have sex and then it follow the host until it be pass on to the next host again follow sex it manifest itself a a sort of walk zombie that follow the host should it catch them it will not only kill them but possibly all that in the chain behind that easy to understand what isnt be how our heroine jay play beautifully by marika monroe attempt to resolve her plight really this be a rare horror performance understate and properly acted her fear be palpable and she doesnt go wander into unlit basement every five minutes its up there with jamie lee curtis in halloween however the plot become pretty confusing but it kind of doesnt matt because throughout this great movie youre just take in by its vitality outstanding cinematography freshness and the endless macguffins seriously there must be time youre expect to be scare to death hitchcock style musical and six builds only for nothing to happen anyone walk slowly in this movie can be the entity and thats repeatedly use a a trick another great thing about it be the set in detroit its never overplay but it add a decay creepiness that be entirely appropriate it a great addition to the world of horror not a terrify a some say but absorb and pure quality from start to startle finish It Follows 8.0 when i of see a preview for this movie i know it look like it have potential it have be a while since i see a decent scary movie so i be look forward to it i go into it expect some scare but nothing too bad wrong this movie scare me out of my wits i dont think i have ever jump much during any other scary movie the audience be spook took i see many other people jump out of their seat and even hear a few actual screams what i love about this movie be that it actually try to scare you not gross you out the image be frighten for sure insidious doesnt waste any time try to creep you out the scare already start with the open credits i sure be not expect this to be one of the scary movie ive see but it live up to that that be said i dont think id have the gut to see it again Insidious 8.0 on of impression the mist doesnt remotely seem like the kind of film anyone should be excite about the mist what a bite like the fog then stephen kings the mist that make it even worse directed by frank darabont since when do he direct horror films okay so he script nightmare on elm street and the blobs not bad films but not classic in any sense starring thomas jane have anyone see the punisher and to cap it all the mist die a quick death at the us box officer itll probably go straight to dvd in the uk the only reason i buy and watch the film be on a recommendation from a friend he pleaded you have to see this film you wont believe how good it is so i put his judgement to the test and thank god this be a great horror film from the open scene darabont set a tone thats creepy sinister and beautifully judged the script be realistic the character be believable and the direction darabont have almost reinvent himself the mist be dark scary and even funny intentionally you care about the characters the scary scene be scary and the whole film be carry off with a efficiency a lack of pretension and a strong idea of what make a good if not great horror filmland the ending how dark can you get i can understand why this didnt do good at the box officer but neither do shawshank redemption The Mist 10.0 in this day and age horror be get much and much creative by demand since the psycho killer in the woods-scenario have pretty much run its course a consequence of that be the incorporation of contemporary technology and concept appear in the genre found footages film have replace jason and and while this film do have potential this years indie v h have some neat ideas even they be begin to lose steam enter sinister which be a amalgam of timeless supernatural horror theme and found footages technique that have prove to be a consistent box office draw sinister follow a true crime author ellison ethan hawked who move his family unbeknownst to them into a house where a entire family be hang to death in a tree in their backyard save the young daughter who vanish without a trace upon move in ellison find a box of mm footage and a projector in the attic contain in this reel of film be various murder date from the 1960s up to present day one of them be the film of the hang murder that occur in his backyard as he further investigation into the footages he find much than he bargain for when connection be make to a ancient deity who take the soul of children on a surface level sinister appear like every other horror piece on the market but i be surprise by the substance the film had conceptually and thematically speaking its not painfully original but director scott derrickson make up for that with strike visual and a daunt soundtracks the open of the film be particularly disturbing the movie begin with the family hang murder which set a damn unsettle tone for the rest of the film in term of the supernatural element at play in the script they almost seem fairytale-ish a pagan deity who feed on children c mon but it doe add a unique element to the film i have to say though that the much frighten thing in this movie be the actual murder tape themselves it can be just me but the notion of film murder unsettle me to the core even if i know that the footage be faked a if the act of murder itself isnt awful enough document it be downright well sinister the footage utilize in the film be unsettlings shocking and above all its realistic so the audience get the same unpleasant feeling share by ethan hawkers character truly macabre stuff another major positive for this film be that the act be far above par for what much genre fan be dealt ethan hawke be a quality actor and newcomer juliet relance prove her chop here their scene together be particularly strong and much much than any horror fan can dream of ask for the films end can be see from a certain distance although it doesnt necessarily make it little shock in this cases if anything it add to the sense of dread pervade the film overall sinister be a pleasant surprise for me it doesnt offer heap in term of originality but its a stylistically stun film and take step in the right in direction very gracefully when it come down to it i canst say that i be even really scared by the film so much a i be unsettle by it it have its share of orthodox jump scares but i be much bother and rattle by the grim nature of the film a a whole which be a nice feel to walk away from the theater with a a thick-skinned genre fan who have become increasingly hard to unnerved Sinister 7.0 there have be contrast cry of greatest film ever made and pointless gore fest make about br and neither be accurate in my opinion what it is be a commentary about perceived real or otherwise problem among japanese teen in the late 90 in one review someone basically liken it to a movie involve young japanese girl run around in school uniform act violent duh thats the whole point a lot of people only knowledge of japan be manga and hentai if people bother to watch the news once in awhile they may know that the establishment in japan be very worry about young people get out of control and br portray all this perfectly its not ultra violent although the fact that they be suppose to be teen make it disturbing battle royale be no wrong than lord of the flies but for some reason that have be deify a a work of art and br be class a trash id say its much about cultural snobbery than actual appreciation of a truly magnificent film Battle Royale 9.0 kanji fukasaku make a film call battle royale back in 2000 hers make plenty of film in the past ive see very few of them apart from battle royale but ism always search for more battle royale be a film that have affect many many people there be rabid fan of battle royale and there be even much people that hate it let me tell you why battle royale be a film that exercise its right to explore a idea many film have great idea but much be poorly realized battle royale be simply a awesome movie about one of the much hypothetically traumatic thing that can ever happen to teenagers for that that dont know the film focus on what happen when a group of high school student be send to a abandon island to kill each other what bring such a bizarre idea to fruition include civil unrest teenage anxiety and a nation literally terrorize by their youth its set in japan and though it be just a movie it still hit pretty close to reality due to current problem with japanese youth in fact the film be poorly receive by the government who fear that the release of the film would incite riot and other such act of mayhem by the same youth which it focus on the problem be the same the world around young people be much much volatile than they ever be say 20-30 year ago and battle royale capture the essence of the horror that todays youth would face go into such a circumstances friends kill other friend and bully all to survive at the same time they get to live out that videogame that they love to play at home a side note counter-strike a half-life popular videogame mod for example easily prepare young people for the reality of weapons how many bullet be in a clip of a mp5 what doe a assault rifle sound like questions like this be easily answer by the videogame of today sure this weapon be also on the street and in some part of the world they be even in the hand of child a young a five years-old but the videogame set up create a comfortable experience with such weapons its not that videogame necessarily make people want to get gun rather it give familiarity to guns i should mention that i love to play counter- strike myself and will continue to play it in the future i dont hate the game ism just point out that it doe present a fairly realistic portrayal of weapons a the problem be that there can be only one survivor of this island massacre this only add extra pressure to the already unprepared child who have to fight for their lives what be truly shock be that the actor and actress who have be select to portray this teen be around the same age of their characters they arent the age 20-30 somethings that just happen to look young they be literally teenagers this flick have some serious bite its such a great comment on how we be live in the must century in a time when frequently the fear for a country come from within rather than outside forces certainly terrorism be at the forefront of the average north americans mind due to the world trade center attack and cents endless coverage of the horror of say event have easily make the problem a international events but before that the big headline grabber focus on young people fill with `rage unleash their anger on their helpless peer use a array of weapon mainly guns school shooting shock the world when child start kill their peers battle royale be not mean to trivialize school shooting and youth violence rather its a examination of the length which a government will go in order to discipline the youth its such a ludicrous idea but the character stay true to form a they profess long hold crush with their dye breath all the way down to naively trust other who theyve always admire a the popular kids its sick strange beautiful familiar different and completely engaging most people be against the film because they feel that the plot be simply silly or because the dialogue be too hammy or some such nonsense at the same time that naysayer will praise film like braveheart for its honest portrayal of scotland only historical hero i love braveheart i think it be great too but its bogusz for the much part certain battle and event really do happen but william wallace be no man to look up to he rape and kill woman and small child but none of that make it into the film because it be not that kind of feel good thing that would sell wallace a a hero battle royalet since it draw on fictitious character and plot be far much interest because it really make you think about your own life could you kill your well friend from high school if the two of you be stick on a island of death to this day i refuse to answer that question it sicken me to think of such a thing and so i feel disturb by what that of kid have to do in battle royalet whats even wrong be that they be pick by lottery to end up on the island in the japan that exist in battle royalet each year a random high school class be pick for the events we be lead to believe that all youth in japan be bad seed in this film but that really doesnt seem to apply to the class which the film follows for all intent and purposes they be innocent the dialogue between character be poignant real and totally innocent you can literally see how limit their vocabulary and understand of the world around them is furthermore a i mention earlier some of the character even profess love for their classmate without even know what love be all about high school be a weird time for anybody its a awkward time that be all about experience and misunderstandings so many people after high school really learn the truth about who like them and what people really think of them during high school theres always some social wall that stop any real open communication between two people being on the island force unchecked emotion and feeling to flow out of the character because death be on the horizon can you really label the dialogue a lousy in that circumstances obviously there be intelligent and well-organized people in the world some exist in high school but for the much part teenager be brash foolish and irresponsibly reckless because theyve yet to learn from experienced they rarely have any experienced teenagers put on a island to kill themselves will certainly not learn anything new and if they do it wont matt consider that theyll soon be dead naturally some go insane and mutter that math equation that their teacher promise them would be valuable in the real world others feel the need to fulfill their sexual desires who want to die a a virgin right still other try to make the well of the situation by spend their last few hour alive a civilize a possible but the purpose of the game affect all of this teenagers they have to hurry if the battle isnt finish in day they all must die which be easy for the people in charge who have low-jacked each teenager with collar that explode not enough to take the head clean off by default but rather just enough of a explosion to open up the jugular they bleed out until they die their hope and dream for the future go with them this be a grisly film that doesnt specifically cater to gore hounds certainly there be some really disturb death scene and moment but nothing too over the top the idea be shock enough theres no need to be excessive at of this fact upset me i want this film to be a bloody parade of carnage because i reason that its just a movie just some form of entertainment that exist to please me but the whole idea be sicken and compel enough to satisfy on much layer than just the visual in the end this be not a film for just anyone off the street there be so many sceptic and people who be unable to maturely grasp the concept of the film these be the people that really hate it and you canst really blame them for too long hollywood have be the dominant authority on filmmaking in the world what be once a greatly expressive and thought-provoking medium have now simply become a trite and bore things everything be recycle over and over its repackaged re-sold re-distributed to the point that people can hardly accept something new and radical and different if its not safe generic or commercial than the reason for a films existence appear to be highly questionable battle royale isnt go to change the world i wish it can but the damage have already be do and now there be no place for a film that challenge socio-political norm or have subtitles but thats alright films that matt be still be make even if they dont get the same amount of press or attention that the next leonardo dicaprio movie will get if you enjoy battle royale then kanji fukasaku who direct and adapt the film for the screen along with his son kenta will be able to rest in peace the man die on january 12th 2003 he be of years-old and all he want to do be make movie until he died he get his wish a i be a fan don t hate yourself because no matt how hard you try theres always someone that doe it better j symister 2002 Battle Royale 10.0 not since se7en john doe have there be a serial killer with such a bizarre philosophy behind his action not that jigsaw actually kill anyone much on that later sure in light of the increasingly deteriorate sequel its hard to think of saw a little much than a franchise- starter something the writer and director never planned but view on its own astonish merits its a good nasty thriller fill with solid scare and especially compare to the follow-ups quite good written according to the films notorious back-story it take only of day to shoot it not that strange give much of the action take place in just two locations one be a bathroom where adam sleigh whannell and dry lawrence gordon cary eldest fin themselves with their foot chain to the wall with no recollection whatsoever of how the hell they get there the other be the lair of the mysterious jigsaw a serial killer whom detectives sing ken lungs and trap danny glovers have be track down for weeks the two fact be link in a much ingenious way jigsaw doesnt really kill anyone but plays a game with his victims in the case of adam and dry gordon a the tape recorder find in a dead manes hand tell them each of them have two hour to free himself and kill the other or they will both die problem is the only way to get rid of the chain be to see your foot off and so while the two unfortunate cell- mates have to choose who get to live that jigsaws perverse logic he offer you a choice the police close in on the elusive psychol whose previous deed and mo be show in flashbacks whereas the subsequent saw film use the messy chronology just for the hell of it though they do get away with some neat narrative tweak thank to it the of installment take advantage of its non-linear storytelling to increase the suspense and provide some valuable clue to how everything fit together it be to james wan and co-writer whannell eternal credit that they like seen writer andrew kevin walker go beyond slasher clich and come up with something more okay so saws philosophical undertone arent entirely original but what the hecks they do manage to keep the audience interest in whats go on in addition add a little much depth to the killer ensure that the movies much gruesome part and there be a lot of them dont come off a gratuitous bloodletting for a example of the latter look no far than the countless sequel to a nightmare on elm street or friday 13th furthermore the intelligence behind the films structure may also have have a positive effect on the performances give the act be much convince here than in much post-2000 shockers elves and whannell desperation be convey with a intensity thats almost too painful to behold glover play the age cop role resist the temptation to do a lethal weapon in-joke you know the too old for this shot gag and when jigsaw himself appears well its the horror equivalent of keyser some chill and impossible to forget and for once not play by kevin spacey just like the movie Saw 9.0 its be a long time since ive see this film during the time when i still didnt bother and rate and review every horror film i watch lately ive be re-watching some of that i like especially but a for eden like ill pass not because it isnt good but because nobody in their right mind would define it a fun to watched that much i do remember however what i remember much vividly be my utter sense of frustration disgust and despair with humanity throughout the film ive keep feel the urge to be there so i can knock some hard painful sense into that no good hoodlums and their sad excuse for parents very much like this decades streak of torture porn eden lake play on this emotion in the audience pity for the victim rage against the assailants and despair helplessness acting and cinematography be good enough nothing special worth mention a far a i can remember bear in mind its be a while but the story and some of the scene be what stick with you afterwords personally i canst call the sensation i get out of watch this kind of film fun but they be definitely in a way rewarding eden lake isnt easy to watch and see a how this be obviously its goal its a success my relatively low rate be only on account of my personal experience with it Eden Lake 6.0 the devils rejects be not always a easy film to watch it have a genuine savagery that make recent film such a hostel or saw ii non spectacular though they were appear rather tamed think part of the reason the film be such uncomfortable view be through rob zombies creation of a strong sense of ambiguity a to who we be suppose to sympathise with- who be the antagonist and the protagonists initially thing seem quite clean cut- psychopathic killers evil sheriff on a vigilante mission good but then the line blurt the sheriff turn nasty yet we the audience take joy in his sadism- be we a bad a this killers and at the same time we the audience feel flash of sympathy for the killer too- through glimpse of their own warp domestic bliss this be interest anyone that get under your skin and disturbs have to mention the humour also- which be also a nice contrast to darkness though some of the humour be very close to the edge- you do need that moment of light relief to prevent the proceeding become completely grimy and depressing the only main downside of this film be it doe at time feel overly long almost deliberately draw outland that can distract from the intensity of things personally this film mark a huge improvement for rob zombie after the debacle that be house of 1000 corpses a masturbatory fan boy effort which have a okay build up but quickly descend into cartoony drivels with the devils rejects rob zombie seem to have shift focus from be a kid with a film camera and a budget and shift focus on tell a story and make the audience feel something and he actually doe a pretty good job of it too special mention have to go to sheri moon a real delight to watch i canst help but smile when i see her on screen- i wouldnt be at all surprise if she find herself with a huge gay following a lovely mixture of sassiness innocence and a edge of something slightly darker i like her a lot- good at little when sheds not make racist playground chant fashionable again i m actually excite now about zombies remake reinventions prequel of halloween okay so the term remake reinventions prequel fill me with a underlie sense of dread but ism go to breathe out and try trust rob zombie on this one if nothing else i know itll be anything but bland The Devil's Rejects 7.0 i of see this on a dvd in 2006 this be way well than its predecessor house of 1000 corps it be sleazy gruesome and actually funny at times otis baby and captain spaulding r the outlaw pursue by william forsythe the rock once upon a time in american aka sheriff lydell a he be hellbent on revenge while the of one be in one area one house mostly the and one be much outside on the go this can term a a road revenge western movie now come to the clich usually find in much horror flicks characters outnumber a villain who be only arm with a knife and yet not make any effort to attack the villain waiting forever to steal a gun from the villains then wait forever to shoot the villain villain be down on the grind but not attack give the villain plenty of time and opportunity to get up attack in of course the gun be not loaded talking a lot before attack the villain lose the opportunity crying run helter-shelter run straight into the arm of a member not realize that he be part of the gang most of the same star cast r continue in this flick a new addition be ken free dawn of the dead-both new old the above mention sheriff The Devil's Rejects 9.0 this movie be a huge surprise for me i do not expect much but it be one of the well movie of the year for me i have to admit that i be get pretty sick of the usual movies recently i notice that after watch thirty minute in every movie good or bad i get bored the reason be that i see always the same plot lines the same faces the same twists and i really dont care about them any more if a movie doe not have this effect on me its a sign that it be a special one and this be the case of the troll hunter the troll hunter be a really simple story its about a guy who hunt troll in norway and about a group of students who be film him this be where it get interesting the movie be shoot in the style of blair witch cloverfield rec paranormal activity the handy-cam thing be one that thing that make the movie different the a thing that get me in this movie be the quite unique norwegian humor i have not run into it before but there be several moment that be really funny well its not hard to make funny moments when you make a movie about troll that pretend to be serious the a thing that be really good in this movie be the beautiful norwegian nature there be many breath take landscape that i really want to see some day the last there be many other thing that i like in this movie be the old beard guy the troll hunter he be really cool i mean he be hunt troll all his life ok so thats it go see this movie if you be bore with the usual ones Trollhunter 10.0 we have all see the monster movie lately they always seem to included zombies vampire of werewolves the troll throw monster movie through a loop by insert the mythical troll the act be very much above part not superb but good above average the special effect be a wonder the troll actually look realistic though we all know they be fakes the realness actually pull you into the movie the movie really hold tight to the myth behind trolls such as smell christians turn to stone and explode with sunlight having it set-up in a blair witch type with a of person camera angle make the movie all the much exciting there be just enough camera shake to make you believe that the cameraman be running but not enough to make you sick all-in-all this be a excellent movie if i can make up one complaint it be the abruptness of the end i assume it be leave this way for a potential sequel Trollhunter 9.0 i think the film be good but didnt really live up to expectations i didnt find it that scary admittedly one of the jump scare work on me but otherwise i never feel any dread loom in the pit of my stomach the film be gory than the mini series thats for sure and i like that update aspect but nothing particularly shock me there be quite a bite of special effect that just be not very good and i think thats a big reason why i just wasnt very scared the other dumb thing i want to mention be that sometimes the character fall into predictable horror movie tropes its just kind of silly when theyve already be scare by pennywise many times knows this all isn t real and yet will wander off by one of the miss kid go come here i means really youre go to fall for that i think what doe save this film be the performances bill doe a good job with pennywise however he doe lack the charm that tim curry had but that be always go to be big shoe to fill clown pun not intended the kid though be amazing in particular garden lieberher who play bill and sophia lillis who play bevy be the standouts i also want to give a shutout to nicholas hamilton who play henry for manage to make me feel empathy for a bully finn wolfward from stranger things play richie who be mean to be the jokester of the group and finn doe good with that character i just wish the writer have lay off from the joke some of the times youre suppose to be build tension and it kind of get ruin when he open his mouth to make a joke about period blood or whatever see the potential in this film and i think it can have be really good i just think they spend too much focus on shock value rather than build on a atmosphere It 6.0 what make early wes craven movie so special be this early and daunt atmosphere he be so good in create and this be what hills have eyes 2006 totally lacked firstly the music through out the movie be awful and totally clich and unfortunately diminish any depth that the be try to show i do like the nuclear mutant idea but then see them remind me on how the original the villain have way much presence on the screen and they have no make up now i do like the actor they play their respective role good the effect be good i do like how they twist the original script and add some new idea instead a complete knock off of the original so my final word not a bad movie but lack atmosphere suspense which be so important in horror slasher movie shame The Hills Have Eyes 7.0 the hills have eyes although a remake of the original be everything a horror movie should be typically ism not a fan of slasher flicks but this movie have element i like to see in a movie i dont like to see the protagonist make stupid mistake the old curiosity kill the cat syndrome i dont like be able to guess the villain minute into the movie although this wasnt the scenario in this particular movie i dont enjoy pick out whoas go to do die first and be correct i dont think sex scene have any place in horror movies i like thing to be important and advance the plot although the movie have some mtv element to it it still adhere to the classic horror movie thrills the thing i like about this movie be the fact that they repeatedly crossed the line do thing that you wouldnt expect modern movie to do nothing be off limit in this movie horrifying element that make you well terrified lots of book surprises but also much complex and twist than modern movie have allowed i spend much of the movie with my mouth agape its not just the goree although there be a lot of that they didnt leave anything to the imagination do not imply anything they show you everything it be admittedly a little slow at first but then all of the sudden thing begin to take a turn for the wicked one thing this movie do that much horror movie dont bother to do be go into character development not a lot but much so than a typical thriller will bother to do this movie be so disturbing ism not sure id want to see it again that deliverance mentality you see it once youre glad you see it but so disgust youre pretty sure you dont want to experience that again any horror aficionado should see this movie The Hills Have Eyes 10.0 shocking disturbing at time hard to watch all word to describe the horror of be force to watch moore take his shirt off but this term also accurately describe this brutally vicious upgrade on wes cravens 1977 low-budget horror classic what would you do if you be travel through the desert and become strand amongst a group of genetically- mutated freak who be intent on kill you youd probably die granted i would kick all sort of genetically-mutated butt not a easy accomplishment when say butt have a foot grow out of it kick right back but the average human would be in some major trouble just like the carter family the father look like he can handle himself in a fair fight after all he be a detective but what be three girls a boy a cell phone-selling geeky and a pizza place maybe two of you will get that lame joke go to do against a bunch of unnaturally strong psychos how will they survive will it be through may or strategy you ll have to watch the movie to find out and if youre squeamish then you ll much likely find yourself cringe in your seat and watch with your hand over your eyes the hills have eyes be a movie that know exactly what it need to do to satisfy its target audience and it doe it well case in point ism not very vocal during movies i usually dont clap and scream and hoot and holler like much the dorks sit around me but there be a couple of scene where i literally say aloud ooooooooooh crap of course one of that instance be during a trailer for phat girl but one scene of violence leave my mouth hang open for about of seconds then i realize that my mouth be agape like some buffoon so i quickly close etait take a lot to shock and disturb me this days so congrats go to the hills have eyes for accomplish that it come at you fast and hard and isnt interest in sugar-coat the violence its about to serve up the intensity level start high and never give you a opportunity to take a bathroom break i highly recommend you address any and all bladder issue before the movie begins for me the main drawback of the movie be the hero you can argue that he be much of a regular guy and not a typical macho hero but i feel he transition a little too quickly from a gun-hating wuss to a ax-wielding kill machine my hats off to the dog thought that canine rocked easily the cool dog in a movie since the german shepherd in the lost boys i like horror movies johnny but i like to be creeped out much than be subject to a lot of goree would i like this its very doubtful ill make this a blunt a possible this be a movie that contain sever body parts brutal shootings axis to the head a person bite off a birds head and drink its blood and disturb violence to helpless women if that description turn you off then you know to save your money however if that fit your style then the movie will succeed in give you exactly what you want but i have to say that if you think this sound like fun for the entire family then ill have to decline any invitation to sit down with you for a family dinner The Hills Have Eyes 7.0 and by rate i mean the pg-13 one seems like you can get away with murder this day with a pg-13 rate seriously thought while this be one detail that get discuss quite a bit even before the movie come out many fearing no pun intended that taimi have lose his touch and have go soft on them fear no much for actually do so while watch the movie because he hasn t this movie be showcase of what taimi be capable of sure you may not like the movie for various reasons but taimi doe know how to build tension and torture his protagonist apparently ask bruce wash campbell and now the lovely a lohman and serve a the good stuff disturbing image and a nice score neatly edit and shot one of the well horror movie of 2009 sometimes it didnt get the recognition it deserved sometimes it do it just win another prize the other day of course there be flaws mr jeepers creepers justin long himself reduce to a bystander for example but in the end it deliver fully on what it promise Drag Me to Hell 9.0 southbound doe three thing well first it have some genuinely new story to tell thats not typical for horror where the same few story be iterate upon repeatedly second it have fascinate character that be bring to vivid life with remarkably few brush strokes but without ever resort to stereotyped the quality of the writing direction and act shine finally each of southbound author know to leave enough unsaid each chapter suggest a world of back story but theres no spoon anywhere in sight which be particularly important for horror where what be make explicit can never approach the creepiness that be only imaginable what doe it do wrong well the effect can be shoddy and there be a few scene design around a effect rather than the effect craft to the vision leave that scene wooden but thats all and for each awkward bite of goree there be two or three masterfully direct scene to compensate southbound be a seriously enjoyable horror flick see it when you can Southbound 7.0 ok so i watch this at am with all the light off and my headphone on and all alone in my apartments and i have to say i damn near soil myself towards the end on many occasion i find myself hold on to the edge of my sofa its that scary and believe me i dont have that reaction while watch a horror movie very often extremely rarely in fact a word of caution thought this one really require patience you need to immerse yourself into its world i watch it another night with my girlfriend and she get bore and give up about half-way i can imagine many folk do the same this be that kind of a movie it will either scare you silly or bear you to death i fall in the former campi wont spoil the story for you was if you didnt already know bout it from browse the iadb boards but there be a lot of seemingly random event happen on screen which make a lot of sense once the movie reach its horrific conclusion that last scene still give me shudders so watch this with a open mind and give it a fair chance paranormal activity recur bipp and all the other shaky cam brother have nothing on this one normi have them all licked Noroi 9.0 suffice to say i have never see a film quite like noroi it be perhaps the creepy film i have ever watched note that i say creepy not scary there be nothing that will make you jump in this movie but there be a level of terror and suspense you ll be hard-pressed to find anywhere else think the blair witch project only stretch out through a long runtime and a much much complex story much like the blair witch project the movie be film mostly on camcorder and try though not nearly a relentlessly a the blair witch project to pass itself off a a true story purporting to be last documentary of paranormal investigator masafumi kobayashi the movies real genius be in its construction it begin with several seemingly unrelated plot threads each one kick off by some mysterious creepy events kobayashi record a bizarre eve while investigate a reclusive womans house a young girl display psychic power on a television program a actress go into convulsion while investigate a haunt temples the tension in the movie be maintain beautifully rise at a steady pace throughout the entire film a bizarre seemingly supernatural event begin happen to and around the characters the real horror in the film come from see how this event be all related a realization the viewer will reach long before the characters though the plot thread do eventually converge sense of rise horror pervade this entire movie and by the time the climax roll around the tension have build to such a screech pitch its almost unbearable combined with the fact that the last twenty minute or so contain some of the much unsettle scene i have ever seen and youve get a cinematic punch that will stay with you for days a couple point come off for one characters delirious overact although he doe play something of a nutcase but otherwise this movies get it all the only question is are you ready for it Noroi 8.0 sorry for the hyperbole topic but i mean it i be a horror movie fanatic and i have become desensitize to cheap scare with loud noise and murderer run around with axes i be very picky and only like one out of every few dozen horror movie i watch i also dont like nonsensical supernatural horror that use creepy image a a gimmick without actually bother to make any sense so when i say that this be the creepy horror movie ever made it be not hyperbole that said this movie will bear or confound the average horror movie watchers it be not linear or logical and it doesnt explain everything that be go on but it doesnt have to this be a apocalyptic horror movie about loneliness and how people may become distant island and ghost even through connect technology like cellphone and the internet i dont know how anyone can make a horror movie about loneliness and make it creepy a hell but kiyoshi kurosawa pull it off that all you need to know experience it with the light off no breaks noise or distractions or i will lock you in a room with a depress ghost and tape the door shut with red tape until you become so lonely you will evaporate into nothing Kairo 10.0 kokuhaku for confessions be a real winner from japan just like the title the movie be about the confessions of a group of people after each confession a new detail be add into the story until it become a complete story at the end feel empty very disturbing the movie remain dark and cold from the begin until the end a great thing in this movie be that you dont know who you should hated yes its obvious that they have do something terribly wrong but after each confession they suddenly become the victim and then after the movie finished you end up feel the sympathy for every characters the act in this movie be absolutely fabulous just look at that eye of the students cold and heartless i watch it with my mouth wide open the plot be perfect i dont know what to complaint there be even some bloody scene add to it which make the movie much interesting love it Kokuhaku 10.0 when i of see the description of this movie i think yeah just another possession movie yawn probably go to be a waste of my evening but then i take a look at how many positive review it be get and decide to give it a go and to no disappointment this movie be good done lot of original material good craft cinematic horror good acting good plot actually reasonably scary and suspenseful its a solid horror movie i recommend it strongly to other horror fan and trust me i dont give that recommendation out easily there be plenty of horror craps out there but this be horror gold good job The Devil's Candy 8.0 this movie make you realize why so many other movie fail to be scary not enough psychological elements what this movie doe right be that it skip the goree and blood and over-the-top overact craze lunatic that seem the norm in horror movies i see this with a friend in the theater and minute in we be sink into our chair with fear not even the annoy teen make their phone ring to scare their friend when you see the movie you will understand why be a powerful enough distraction to undo the terror we felt definitely see it make sure you have a big a tv a you can get your hand on when you rend it and that you watch it at night in the dark if you want the full effect also make sure you rend it on dvd and not cassette you know just to be safe of The Ring 10.0 ju-on the grudge be not a easy movie to find in america for at little it wasnt when i of write this review and after hear it hype to the heaven in magazine such a fangoria and rue morgues and by word of mouth a well i know i have to see it i finally track it down in la and watch it the very of chance i get to do so ju-on be a chapter story about a haunt house in a tokyo suburb the film begin when a inexperienced social worker show up at the house and come face to face with the horror within the story jump around from past to present its chapter focus on one character at a time until it have come full circle everyone unwise enough to enter the curse house wind up dead the haunt spread like a virus it seem that a terrible murder once take place in this house and the rage surround the act of violence have spawn its own evil curses to enter the house be to be immediately infect and the haunt follow people home drive them to near madness before drag them away never to be see again ju-on bear much than a pass resemblance to its popular predecessor ringu and be nowhere near a frightening but its not a bad film by any means butchered mother- ghost kayak be very sadako-like crawl around with her long black hair in her face and move with unearthly jerkiness her blue-white face be quite startle with its huge stare eye and occasional splash of blood her ghost son toshio be both sad and frightening appear both a a normal boy and a pale wide-eyed ghost many of the film much frighten sequence feature the murder woman kayako her head full of black hair peek around a corner her shadow move down a corridor and fill a security camera a head-on shoot of her crawl through a attic at night with only the beam of a flashlight illuminate her the sound effect be quite disturb a good and the performance be convincingly good done wasnt a scare by this movie a have be promise i would be but thats what happen when you buy into the hyper i be simply expect too much and i get a pretty good ghost story instead ju-on be good its not great but its a decent straightforward ghost story with much than enough scary moment to please much horror fans ring be scarier but ju- on be a noble effort like much asian horror stories it remain ambiguous and open-ended leave room for both a sequel and the chance for you to decide for yourself what the curse of the grudge really is out of stars Ju-on: The Grudge 7.0 if you only love american cinema and hate everything not english you ll hate it if watch ring make you feel that you somehow know a lot about foreign movies you ll just sit and compare the two a which be too bad because theyre both great in their own right on its own ju-on be fantastic a it boast itself a a simple contain story without stretch on into some sort of epics a where some movie will say twelve get a weave story thats real creepy ju-on seem to say you come to watch a ghost story and thats what youre getting a now sit there a we shove your heart through your butt-hoop if you have issue with dead stare and good use of dark angle and sound its extremely creepy studios arent give sam taimi million of dollar to re-make this film in japan alongside its original director for nothing a if not my words take theirs a the only reason this film get notice in the of place be because of its original two-part tv airings in japan that create such a buzz they re-shot it for film or maybe you ll take the advice of people whole watch too many brainless popcorn summer movie and never watch it a ju-on a excellent flick Ju-on: The Grudge 10.0 ism not go to give a review of this film ill leave that to other who can argue whether it be worth watch or not for me i feel it be one of the well thriller with a horror bend that i have see in a long while but herems the things i dont really like horror films avoid them much of the time unless i hear a good word of mouth from someone thats how i find the invitation after read the review here i would say the criticism fall in to two oppose camps those that think it be thrilling terrify and good do movie and that who think it be a waste of their time slow and they see all the punch coming think the difference be this the latter camp watch a lot of horror films nothing surprise them they be look for all the little nuance of all the other horror movie they have watch and be compare them to the film they be currently watching they be two three step ahead of a conventional audience and thus nothing surprise them to this folks i can understand why the film fall flat its clear if you put the movie under a microscope you can tell whats go to happen and naturally with the purposefully draw out pace of this film they get bore wait for the payoff i a good a the people who i have give show this film to fall in to the other camp we rarely watch film like this and therefore be will to let it all play out without try the guess whats go to happen next its certainly a creepy film and while we may imagine where its going we be will to suspend our expectation and go along for the ride my advice watch this if you enjoy the ride up on the climb roller coaster without think about the plunge when you reach the top The Invitation 9.0 as night begin to fall for a thirty day spell over a small alaskan outpost village a motley crow of vampire come waltz in for a feast in david slades adaptation of the graphic novel 30 days of night ever since interview with the vampires vampire have be depict in film a something hip cool and sexy recently the idea of become a vampire be like make a fashion statement or become a scientologist in 30 days of night the vampire be nameless cunning animal-like bloodsucker and far from mindless zombie which have be much popular of later finally vampire be restore to film a monster to be fear and not a some sympathetic and allure subculture the film grab you from its open shoot of a man walk through a desolate snow cover landscape away from a ominous boat dock in the ice and never let go director slade wisely avoid many of the seizure-inducing trapping of recent horror films sure there be the prerequisite quick-cuts in the intimate scene of carnage but there be also haunt wide-angled shot and one expertly stage bird crane shoot when the vampire of begin drag people out of their house into the street while successfully adapt some of the great imagery from the graphic novel slade be fully aware that this be still a film and shy away from cgi and overly-stylized light and effect that would detract from the sense of realism necessary in a far-fetched horror film such a this slade also make good use of his cast danny huston be perfectly creepy a the vampires leaders josh hartnett who be typically miscast and emotionless actually fit good the role of a wooden sheriff of a remote alaskan town ben foster who always overacts be use effectively here in a bite role a a over-the-top reinfield-like character who usher the vampires arrival in town melissa george be pretty and sympathetic a hartnett estrange wife like many serious horror film of recent memory dawn of the dead or the descent the film attempt some character development that be often lemon but never overplay its hand aside from be well direct and well act than your run-of-the-mill horror flick 30 days of night be also fantastically gory decapitation aficionados will especially rejoice refreshing took be the way it take its gore and action dead seriously there be no silly one-liner or graphic sight gags the character be deeply affect by what they witness and what they have to do to survive this be pure horror and its relentless yes there be some misstep with the films pace and some huge leap of logic in the amount of time that pass between events however for the shear originality of its central conceit the intensity of the goree and the haunt quality of many of its signature shots david slades 30 days of night be the much exhilarate horror film since danny boilers original 28 days later and the well vampire film since francis ford coppola deliver abram stokers dracula back in 1992 30 Days of Night 8.0 i have the opportunity to see this film tonight at a free screen at a theater in chelsea ny with the director david spade melissa george and josh hartnett all present at the screen and i walk in expect another run of the mill vampire movie and walk away pleasantly surprised it no question that over the last year the whole vampire trend have be overdo to death blade spawn a sudden interest in a subject that have be around forever but hadnt be refresh in quite some time after blade enter buffy the vampire slayer tv series and so on and so forth until the whole vampire trend have good wear its welcomed a few year pass and herems yet another vampire story what make this story any different the graphic novel of days of night put together by the talented team that work on todd mcfarlane stun hellspawn series steve niles and ben templesmith find a way to do something creative within the vampire realm and its completely to do with premise that premise being vampire be allow to run amok freely in alaska during a of day period when there be no sun to force them into hibernation during the day its simple yet fresh enough to maintain my interest its a wonder no one have think to write this story until now what important to note be that the story doe not go into too much detail about the lead character personal lives nor doe it go into too much detail about the vampire themselves we dont know how they come to be and what their philosophy be besides suck blood and thats a good things its plunge strait into action and this lack of over characterizations actually help to strengthen this story despite the alaska angle the film and the story itself be nothing really original even the vampire themselves be nothing we havent see before black trench coat and a mouthful of fangs speak in a foreign tongue with a evil squeals but its okay ive see it before but that doesnt mean that its not go to make the movie any little entertaining where this movie be successful be in the fact that its handle in a very realistic way nothing be too over the top evans josh hartnett character be a believable and very human sheriff he doesnt do anything in this movie that doesnt seem plausible in fact the film have very little cringe moment and hardy any cheesy dialogue but it doesnt take itself too seriously either it be what it is a extremely gory movie about vampire kill people and its thrilling entertain and put together very well its so basic that it works not since the decent have i see a horror movie that succeed in this matt by keep the story basic and believable and not rely on cheap trick to try and thrill the audience of course theres the sudden jump moments but you dont see even leap over dumpsters shoot off semi- automatic weapon and spurt out one liners when it come to the film performances the support actor do a good job and the ever dopey and extremely untalented josh hartnett whom i never fail to disliked in everything he does somehow seem almost likable in this movie and i dont know why but i do like him in this roll some of the shot in this movie be incredible i can honestly say ive never see anything like a few scene that pop up in this movie theres a overhead shoot that span the entire town amidst all of the chaos of the vampire attack and i can honestly say it be breathtaking overall its a very strong film for its genre dare i say one of the best you simply canst compare it to citizen cane or the godfather but for what it is its very good if you like graphic novels like the decent like horror or sci-fi or vampires you ll be pleased well worth it for free and if i have play would be satisfied 30 Days of Night 7.0 some movie ask of your time like other seldom dare to try these be the much rewarding in my opinion because have allow ourselves to be so absorb and entrench in their sagas our empathic connection with their character can almost make us feel like we be intertwine and we can come away feel enrich for have share our time with them i feel this when i watch the pianists and the deer hunter and i feel this when i watch bedeviled the english definition of the word bedevil be many but prone to obvious seethe similarity to worry annoy or frustrate to torment mercilessly plague to possess with or a if with a devil bewitch every one of this be but glimpse into what await the viewer in bedeviled what i find much disturb of all for myself be that i be cheer for the character possess of them you ll understand or you may not but some people deserve whats come to them in this world or the hell they have dutiful manufacture in the next no matt how they cloak themselves to appear like they dont stink of the blood they have wash themselves character bok-nam be a terrify study of a fracture psyche and for her tormentor on the island hell hath no fury like the storm that be rage towards them the korean title of this movie is kim bok- nam salinsageonui jeonmal which translate to the whole story of kim bok-nam murder cases soe yong hie bok-nam win well actress at the korean movie award and the movie itself win well screenplay a great percentage of the well horror movie be foreign dont be afraid of them - Kim Bok-nam salinsageonui jeonmal 10.0 as manipulative a a lot of hollywood fodder bedevilled should be a sinker that it isnt be testament to its beauty commit performance and a fine feel for harshness though overlong its powerful and occasionally savage stuff we follow hae-won return to her childhood home to visit old friend bok-nam high strung frigid and apparently callous hae won isnt especially likable but a thing go on we see why she may be this way for the small island where she grow up be a pretty terrible place her reunion may be sweet but bok-nam be in a bad situation and thing be build to a head a the plot summary on this page tell much than be strictly need about the skimpy plot of this one its predictable stuff but i still recommend not know to much beforehand all the well to get emotionally wrecked director sang cheol-so play the audience like a instrument highlight the natural beauty of the location to well emphasise the nastiness keep the harsh moment just enough in the frame to be viciously effective but keep the wrong of it just out of view conjure jangle tension and a dash of sinister sexual menace its taut stuff build effectively with tar black humour in its climatic release ji sung-wong put on a decent if distant show a hae- won implacable to the point of be a frustration while so yeong-hee be the much attractive a bok-nam lively facade in desperate conflict with her terrible treatment a pleasant soul who doesnt want to face thing but wrench to a place where she canst hide the notion of denial and the need to face up to thing be what underlie events unsubtly present perhaps but a worthy message present in jolt style fortunately the film work a grim drama there be problem thought none of the villain of the piece be good rounded from crudely brutal and sex hungry man to cruel old lady revel in the status quod everyone be so missable that thing be in constant danger of be overdone and indeed sometimes are documented case of similar isolate community show that there be a bleak truthfulness to the pattern of events but the character of the villain generally lack psychological truth hence they become little effective the other trouble here be that the film draw out its finale with much climax than necessary it doesnt lack for excite or interest event in its final stage but it become bumpy and feel overlong it also hammer home the little subtle aspect of the film still all in all this one have the require effect for me i be gripped appalled dazzle and saddened a veritable emotional roller-coaster worth a look for slow burn dark drama fan then but be warn that thing be a bite obvious Kim Bok-nam salinsageonui jeonmal 7.0 victor salva auteur turn in b-horrorland be well than most mainly because he be so much much interest a storyteller than many of his genre contemporaries a jeepers have several thing go for it suspense develope characters above-average acting and visual style a thats not to say its great or even very good a the movie be wildly uneven a problem bind to disappoint anyone grab by its beguile opening about that opening like the low-budget filmmaker he much resembles george romeros salva have build his story upon simple elemental horror a kids witness what look like body be dump down a sewer pipe next to a rot church their curiosity must be satisfied a what he accomplish in the of act be a quite masterful bogeyman set-up disturb yet inviting and for a moment we may think we hear tobe hoopers chainsaws especially good be salva patience in develope his sibling protagonists their dialogue and read good enough to establish what much genre work canst even dream of -- plausible characters a but where romero be famous for explore the dimension of his deceptively simple premises salva retreat from them into mannered predictability narrowing his scope to a cat and mouse game the writer-director fritter away too many possibility even before the a act be out and the a act be plainly bad a why bother subvert expectation early on if youre only go to resort to clich later a the clairvoyant character be lift from the shining the police station siege be a a terminator retreads and why establish a aesthete- predator at all if youre only go to have him jump out periodically and kill like any freddy krueger a salva have complain about last-minute budgetary restriction yet so much have go wrong by the final half hours dissipate tension squander sympathy indulge in camp and the wrong misstep call in his deus ex machina voodoo chile that its hard to see what much money can have done salva imagery however be always striking a the production design be shoestring brilliance help make his highway and sewer pipe sequence genuinely spooky a and theres subtext aplenty a the current of fetishistic erotic violence invite all sort of interpretation in fact fairly or not this may be the of horror film for which knowledge of the directors well-publicized past seem likely to make some part scarier Jeepers Creepers 8.0 jeepers creepers have much in common with 1950 ec horror comic book than any horror movie that have be make in the past twenty years a that fact isnt bad its great a there be a lot of horror plot idea out there that have never see decent expression a the film have some decent surprise along the way and the pace stay interesting a the identity of the monster stay a little mysterious a youre not totally certain what its suppose to be the plot be do intelligently for a grade movie a the dialog isnt stupid or contrived a go see or rend it a its worth the cash Jeepers Creepers 10.0 there be no such thing a asian horror even though there be plenty of common elements each country have its own way of deal with horror films especially stylistically abia be a new anthology project give room to four thai talents the four story be ever so slightly related but stand good on their own and bring their own vision on what thai horror have to add to the genre the of short be direct by thongkonthun a relatively fresh director with little experience in the horror genre his short have a pretty conventional theme be nothing much than a simple girl ghost haunt story still the angle of the short be pretty special a no actual dialog be be used the girl be homebound and isolate from her friend and all conversation be hold through sms contact not a first a much and much film be try to integrate digital communication but still quite a novel experience visually the short be decent with several attractive shots though the single set doe get a little bore after a while we follow he girl in her room for the entire run time only at the very end do we get some shot from outside as a whole the short be convince enough and even though the story be extremely traditional the execution make it worthwhile its thongkonthun talent that keep this film good away from fall into the boredom trap of next up be a short from shutter director pisanthanakun shutter be a pretty big asian horror hit but what pisanthanakun put on display here be different and easily the much interest short of the bunch the short be shoot entirely a if make a trailer include color bleeds short freeze frames hectic cut and speed fluctuations a true visual feast sadly much and much cheap cg creep in result in a rather horrible and amateurish climax for that familiar with the art of the devil series the story will hold little surprises though the revenge theme of the film have be give a nice swing the style of the film make it a little hard to follow but the basic be clear enough and the short look really impressive with a little tweak on the cg part this would ve be perfect luckily this be easily forget when consider the rest of the film third short be make by wongpoom co-director of shutters again someone with some solid experience in the field of horror and it shows a completely different short than pisanthanakun wongpoom film draw much to the like of cravens scream trilogy four guy go raft together but when they all end up in the water thing take a turn for the worse the atmosphere in this film be pretty relaxed with little to no scare or creeps to compensated theres a thin layer of humor run underneath everything that happens with a rather amuse but possible frustrating run gag spoil the end of at little three popular horror film the sixth sense the others and shutters even throw in titanic for good measures there be some genuinely funny moments though i assume its not a fun if you havent see the mention film yet visually a little underdeveloped but since the focus lie on the humor thats easily ignored of sadly the final short be the little interest of the bunch even though none of the short bring something new to the table story-wise they all have some interest point of execution purikitpanya be the only one deliver a pretty standard horror fare with a dead body haunt a stewardess on her flight home purikitpanya show a keen eye for composition from time to time and the introduction of the princess who end up in the body bag be pretty fun but from that point on the short bring nothing but a bag of horror clichés purikitpanya sense of style keep it go until the end but people whole see their fair share of asian horror film may be a little bore by the end of it of all in all the film present four fun horror shorts none of them below average three of them come up with interest elements thai horror be do good for itself and even though its not quite yet ready to battle the well horror film come from china and japan theres some real talent hide away in here a fun film for horror adept look for something outside the typical horror offerings See prang 8.0 its be a while since ive see a thai horror i really liked or every maybe since the much memorable be shutter and i wasnt a take with it a much people be though i want to give it a a viewing 4bia be a anthology of four horror story of about a half hour each and written directed by four different individual they re all thai name and i really canst tell their gender by their names as such its a uneven though largely fun ride like the of story happiness the best its a very simple tale about a girl rest at home alone with a break leg who get haunt by a ghost through text messages whats good about it be the claustrophobic setting and the directors superb handle of suspense from shot of the phone wait for it to buzz to when the light go out and the girls fumble in the dark the big payoff be unfortunately a cheap scared but well it worked i jumped the a story tit for tat i like the least a bunch of bully be menace by ghost create by their victims black magic this segment have a over-reliance of obviously cheap special effect and wasnt particularly scary in the middle the a story be a humorous one about four guy out camp and try to scare each other with ghost stories that is till one of them drown in a raft accident there be some good suspense here and i like the makeup on the ghost that face stay with me after the movie the last story last fright be pretty good took albeit a bite stupid a flight attendant be request to transport the corpse of a princess whose husband she be have a affair with a woman alone on a plane with a vengeful corpse nice use of claustrophobia there took though the suspense wasnt a good a with the of story i really like this movie because three of its director generate pretty good suspense which be quite hard to find in todays horrors since theyre incline towards gore and cheap boo scares pity about the weak links See prang 9.0 an anthology be the sum of its parts so how doe this particular set stack up novice a young man with a trouble past be leave to live among monks where karma catch up to him interesting idea but lack in execution and a bite bore until the end ward an injure teenager spend the night in a hospital room with a brain dead old man on a respirator who be slate to be take off life support the next day spooky and violent with a twist ending backpackers my favorite of the bunch two young hitchhiker be pick up by two trucker with cargo much dangerous than any of them know id love to see a full movie make from this one salvage a dishonest car saleswoman have a terrify night when one of her vehicle be return by a angry customer and her own son disappears a gruesome little ghost story once again feature karma a a main theme in the end a funny and subversive tale about the film of one of that spooky long-haired ghost girl horror film that have be come out of the east so frequently in the last 10+ years phobia get off to a rocky start but overall its a entertain and vary mix of thai horror Ha phraeng 7.0 well then what do we have here a modern horror film place in the 70 80s era i already like ti west thinking with much horror film today be god damn awful it refresh to see one which pay homage to the classic while try to be unique from start to finish the film be litter with classic horror references the open title design the babysitter satanisms even some part of the music score be identical to the famous halloween score now then this film be very slow it take it time to build up in fact it take the main character of minute to reach the house thank god then that samantha be likable now it doesnt matt how slow a film starts i mean the shine be regard a slow but there one big contrast between the films build up one go somewhere the other doesnt once we finally get to the house we do nothing much than watch samantha stroll around for the rest of the film west atmosphere be perfect his camera work be great the suspension be brilliant but nothing ever come from this very few moments the suspense just keep build west keep on add much fuel onto the fire until finally he run out and the credit start roll very little happen and when we do reach the final act it end up be bore and forgettable this film look great but sadly the script be poor leave a potential film into a easily forgettable one if you particularly enjoy watch people do nothing for a hour and minutes then this be highly recommend The House of the Devil 6.0 in the house of the devil a young co-ed jocelin donahue hard-up for money to pay the rend on her new place off campus answer a ad for a babysitting job way out in the boonies only to be plunge headlong into a bizarre devil-worshipping cult in search of a sacrificial victim set in the 1980s in a time before cell phone give us at little the illusion of connectedness and security this refreshingly unadorned and unembellished thriller doe something rather unique with its structure possibly a necessity bring on by its extremely low budget the story come to such a slow boil that the stretched-out tension become almost unbearable thereby enhance the atmosphere of dread unfortunately die- hard slasher movie fan may be disappoint by the rather rushed truncate and anticlimactic nature of the final scenes in which our heroine find herself be hold captive by some of the much feckless and little competent kidnapper in horror movie history still the suspenseful buildup be much than compensation for the half-baked and halfhearted resolution that follows The House of the Devil 6.0 ti west who direct the underrate cabin fever of spring fever be a name to watch out for the house of the devil although not fantastic prove that west have a excellent eye for visuals detail and create suspense this film feel a though it have come directly out of the 80 much like a lose film of some horror director like john carpenter or tobe hooper than a a feature by a new millennium director from the open and end credits to the walkmans fashion soundtrack and the slightly fade visuals even the storyline centre on babysitter and satanists feel like the movie belong back in the 80 samantha jocelin donahue be a college student who need money fast her roommate be a disgust slobs and samantha be a neat-freak lucky for her she have find a apartments but need money to pay the rent she stumble across a babysitter advert at the college and quickly applies soon enough she be meet with mrs ulman atom noonan and his odd wife mrs ulman mary woronov on the night of the lunar eclipsed straight away it be obvious to us and samantha friend megan greta gerwig that this job be a setup for some sinister goings down whence the title the house of the devil the of of minute of this movie be excellent samantha be a character we can care about and a sense of dread permeate the proceedings however once the babysitting start very little happen and the movie slow to a halt which ultimately destroy the fantastic mood setup events pick up at of minute mark but with only of minute leave the final act be rush with no time to generate any scare apart from some nice gory deaths the cast do a excellent job the exchange between mrs ulman and samantha be deliciously creepy and the house itself be reminiscent of the amityville house the actual story be quite good nothing new or excite but a simple little devil-themed yarn with a little twist unfortunately it be the pace which be this films undoing and it be a shame because it really can have be a amazingly good film otherwise 3½ The House of the Devil 7.0 this be not the of time that a movie where the main character get corneal transplant which not only make her see but give her paranormal capability have be done a good reference be blink where madeleine stowe be the receiver of the creepy transplants suddenly able to see event from the past and future here the main character mun angelica leech a blind violinist receive the transplants slowly albeit a little too slowly she become aware that aside from be able to see the world for the of time she can also see the soul of the recently depart who also seem oddly attract to her that she eventually see the owner of the eye a girl about her age through her own reflection be a interesting but not especially shock twist but her plight to thailand to track down the mystery behind the girl and what she find there doe generate some need tension with this film the pang brother only add to the grow statement that asian horror be on the rise while this be probably not the much memorable of the lot it doe have its own style which be deliberately slow much like the sixth sense the way this ghost appear to her echo that film in tone and dread and there be no sudden shock here angelica lee with a totally expressive face convey the horror and then determination of a girl catch under a remarkable circumstance without betray her own character development the only sequence which ring false -- or forced a to bring some impact -- be where she run through the street know that disaster be about to strike in the form of a gasoline tank bang at car windows i feel that the eye didnt need this sequence to be a chill -- it keep remind me of the similar climactic sequence in the othman prophecies -- and be the one point that detract from the film honesty Gin gwai 8.0 ive be to thousand of movie in my lifetime and own hundred of video and dvds so i be a fan but not a bona fide film critics a this be my of online review my wife and i see the original dawn of the dead of year ago at a midnight show and leave wire enough to talk each other down till the morning perhaps a quarter of a century have inure us to the violence a bite since we just watch it again rental video last week prior to yesterdays venture to the local multiplex to see the remake reimagining and be mostly unperturbed by the revisit for some reason i be hook on the new dawn month ago from the teaser and subsequently the actual trailer a the sparklehorse song in the former fit perfectly and the suburban shoot follow by killer vivian and close with the burn projector film of the latter be intrigue in its own way so i be prime to see the movie usually a recipe for disaster since preview expectation be rarely fulfill by the finish products a this time however they were the cast be uniformly believable and much important empathizable at little with the good guy who get sort out along the way a even the playboy jerk have several relevant lines a polled be a good strong female lead with another great rebuttal -- not ism a nurse to a query about her medical skills and thames a cheerable if reluctant hero a the camaraderies such a it was worked and visceral me-first survival give way much often to self-sacrifice whats not to like a the fundamental premise that a classic get remade doesnt wash a these be two different movie with the same name and similar premise but very different attitudes a better special effect didnt hurt either although this new version be oddly little disturb san zombie munch on dismember body parts a speedy zombie except for the twitchers a no problem hey theyre hungry and a always persistent my attention be hold for the well part of two hours the story be interesting the outcome ambivalent the character arise to the task at hand become coldly rational to the division between life and death and zombiedom the music weirdly appropriate the black humor welcome respite not dawn of the dead isnt citizen kane nor be it a sacrilegious assault on the horror genre a its solid filmmaking thats entertain and thought- provoking a otherwise i suspect romero would never have put his imprimatur on the remake Dawn of the Dead 10.0 ginger snaps of unleashed actors emily perkins tatiana maslany eric johnson writers megan martin director brett sullivan the a part of the ginger snaps trilogy pick up after the of one brigitte have infect herself with gingers blood who have turn into a werewolf in order to keep herself from become like her sister she must inject herself daily with monkshood after barely escape a werewolf that have find her she awake in a clinic that treat all thing include drug addiction with her drug take away brigitte canst escape what she be becoming love the est movie and i find the a one to be a worthwhile sequel while the of one simmer with satire on female hormone and puberty unleashed be a straight horror film its too bad we dont see much of ginger in this one but she doe turn up a a ghost who warn brigitte that another one wait for her brigitte be a lot much confident and a lot hot than the of one but although this be her story the one character that steal the show be a young girl at the hospital name ghost brigitte befriend this girl because she can help get her monkshood and ism sure she feel a little bad that all the other patient make fun of her there be a twist at the end of this movie that i be not expecting but on my a view of it i dont know how i can have miss it all the warn sign be show in the of thirty minutes if you havent see the of one you can just watch this one alone it have a good enough story to keep you interested its not a fulfill a the original but its a nice desert Ginger Snaps 2: Unleashed 7.0 totally surprise by how awesome this was i be expect some campy shallow high school horror film and instead get real thrills real scares and real characters canst stress that enough awesome performance by actor who have character write a real people not leffen cardboard cutout like much slasher films the only thing that keep me from give this a ten and declare it perfect be it be a little thin on any level other than shock-fest were treat to a weird family and twist attachment but it can have be a vehicle to actually say something but even though it didnt make me put on my think cap or change my world- view it be still so much much impressive than i be prepare for The Loved Ones 9.0 the conjuring be a shock horror film it combine every creepy trope you can think of ghosts dolls music boxes mirrors you name it and it actually work thank to a genre-savvy director behind the curtains james wan have prove himself a capable producer on project such a saw and insidious and with the conjurings he cement himself a a master of the genre it have the perfect amalgam of horror trope craft in such a way that feel a fresh and spine-tingling a classic haunt house movie do in the 80s the conjuring be another based on true events tale that have us follow expert paranormal investigators the warrens this time solve the mystery of the enfield hauntings similar to the amityville hauntings the enfield haunting see a english family plague with a poltergeist that doesnt seem to enjoy the presence of anyone in the house what the conjuring succeed at be give us both character development and another great story which be exactly what a good sequel should do the act be uniformly great but the true star of the film be james want his shot be design in a way to imbue dread and stir it around our head for a while before hit us with the scared thats what true horror lack this days patience the long the anticipation be build and the much atmosphere be created the much unsettle the situation become until its like a tick time bomb that you anxiously wait to go off it use familiar tropes such a self-starting children toys slam doors and smash furniture but theyre use a tool to mask the truly frighten fact that this family be up against something utterly beyond their control theyre hopeless and we can feel it mind you the conjuring isnt without its faults the runtime be a blatant offenders pushing the 2-hour mark be never a good idea for a horror film and some fat definitely can have be trimmed there be a handful of cheap scares audio scare to be precise when the music get extremely loud all of a sudden and you find yourself much annoy than scared quickly reach for the remote to turn the volume down at the risk of endure another ear drum shatter noise it also doesnt feel a unique a its predecessor understandably due to the very nature of sequels but there be moment that drag on long enough to remind you that the of conjuring didnt have this plod plot points for example it take about a hour for the warrens to even get to england also while in the haunt house theyre able to sleep through some horrify sound that would snap a bear right out of hibernations but this dull spot and plot inconsistency be few and far between the conjuring be how a horror sequel should be done its slick stylish fun and at times quite terrifying when a horror movie make me want to turn on the light a i go roam around the house at night i consider that a job good done the conjuring of good done The Conjuring 2 8.0 wow wow wow ive never be much of a fan of sequel but the conjuring be incredible ism never one to jump at everything scary i see in movie a usually youve see it all before lets be honest nothing really scare you much when your not a teenager anymore however the conjuring have me jump all over the place at one point i even yelped much to my embarrassment but thats why we go to horror movies to be scare the conjure didnt disappoint all actor give amaze performance the story have you never in a state of boredom walking out of the cinema i couldnt wait to see what the conjuring would bring assuming were lucky enough for another definitely a movie to see in the cinema i give it great movie The Conjuring 2 10.0 red eyes be all about lisa mcadams who be simply try to get home during a bad weather snarl at the airport and find herself stick on a red-eye and fly headlong into a suspense drama a busy fun little no brainerd red eyes begin like a romcom morph into a suspense action flick and take you on a simple-minded but entertain girl power ride a lisa race with the clock to save the day probably worth the price of a dvd rental red eyes will play well with fan of rise star mcadams and that who no brain it to avoid its many nag plot holes keep expectation real for maximum enjoyment b- Red Eye 6.0 red eye be not the kind of movie thats go to win the pale door but wes craven have never be that kind of director anyway and his brand be a good indication of what a film-goer can expect the fact that red eye be a tight little undemanding package at of minute be part of its charm and a indication of cravens craft in produce lightweight but generally enjoyable box office fare in fact its the perfect kind of movie to show a inflight entertainment attention-holding without putt any intellectual or emotional challenge on the viewer overall there be a cheesy feel to the plot vague terrorist subplot motivation and the support characters and the main section have a tv movie feel however there be definite element of hitchcockian suspense and echo of schumacher phone booth which ultimately be a much sophisticate and pretentious play on the same idea of emotional crisis be play out suppress in public for a film that focus mainly on two people sit in airline seats it live or die on the character and script cillian icy but eloquent jackson rippier and rachel macadams resourceful lisa be the main reason the film get carry off not only make the dialogue zing but also give some sort of adams rib type dimension to their battle of male logic against feminine sensitivity in the final portion of the film craven indulge himself a little scream style a man-chases-girl- with-knife the much surprise revelation here be what brian cox look like after the just for men treatment his ubiquitous appearance in film a diverse a super troopers the ring and this make him the sexagenarian version of jude law short haul fun Red Eye 8.0 saw this on a rent dvds been on my radar for a long time a the plot be about a couple and their infant baby who move into the backwoods of ireland a the male joseph male who be a expert in microbiology have come to inspect the tree for clearance he be warn by the local mcelhatton not to trespass the forest a the hallows will trespass into his house steal his baby one nite the window of the infants room be break but the couple be assure by the local cop smiley not to worry a some bird must have do it in the begin one will wonder why the scene of the wife bojana novakovic remove the iron grill be shown even the repair guy tell the husband that his wife shudna have remove the iron grills there be a explanation for that but not a logical one even the film become a lil silly towards the end a the film move at a decent pace from the begin there be a sense of dread also whenever a baby be in perils the film become even much tension filled a tension be maintain throughout the effect be pretty good some may be bore a there be not snuff creature action the body count be almost zero but if u enjoy atmospheric horror film with snuff moment of tension then u will enjoy this film a i wish smileys role be big a i like that actors comic timing his face itself be smiley like his surname The Hallow 7.0 the premise of the hallowd be nothing new a family in a isolate house in the woods strange thing start to happen is there a logical explanation unfriendly neighbor who want the family away or be there something supernatural in the forest unoriginal concept in the horror genre be not a problem per see old story can always be tell in new refresh way see insidious or the conjuring for example but the hallowd doesnt have the energy to keep thing interest until the end despite a strong middle act and good performance from the cast the film start ok then it get well and much tense some sequence in the a act when its fully reveal the cause of the disturbance be genuinely frighten plus that poor baby suffer a lot but then the script get lazy and lazier unfortunately inconsistencies abound jump scare replace real tension and by the end i be just bored its a pity it could ve be a small horror gems The Hallow 6.0 pulling from ancient irish fable and mythology the hallowd also know a the woods take the fairy tale atmosphere and destroy it with malevolence and forebode darkness tasked with unfortunate responsibility of go into rural ireland natural landscape british conservationist adam kitchens must venture into the wood and choose which tree be right for milling the townspeople warn him that he doesnt belong that in that wood be land belong to the hallowd tiny little ancient tree fairy who be drive from their sacred lands ignoring their warnings adam and his family quickly find out theres truth in mythology and fight to survive the night against this demonic creatures the hallow be a effective horror because it doe not rely on one type of horror imperative of that select creature genre flick which always end up disappointing the horror be multi-layered initially rely on the forebode sense of unrest from the superstitious townspeople then it morph into a creature horror but just when you think its simplicity have reach a peak it turn again this time the utter terror and cringe induce body horror of a dark essence invade your skin but its not over yet then it add the complete panic of a mother protect her child at the risk of lose him forever with all this ingredients there be a type of horror for everyone to get you squirming it rather amaze that the hallow be corin hardy of legitimate feature film his grasp upon mood and ability to integrate story with scare while have the eye to make a visually stun film that be overcast and dark be beyond impressive with similar praise go to the cinematographer martijn van broekhuizen his use of natural scenery mute tones and shadow to hide and highlight the ominous creature of the wood be that of someone far beyond his experienced it be no wonder that though a relative unknown he be slate to direct the remake of the crow it be clear that no aspect of the hallow be beyond hardy creative reach everything be subtle mute even the music be practically subliminal build tension naturally rather than force a emotion that be not organically present in the subject matter and yet hardy film have clear vision and make a strong statement by veer past the standard three act format and skip from the of to the a with no middle act to be found based on the execution of the hallowd i think corin hardy be go to be one of the up and come director to watch the way james wan take over the horror scene the hallow may not be a a resound scream of a announcement of talent a saw be for want but be surely the whisper to get hardy started 10please check out our website for full review of all the recent horror releases The Hallow 7.0 in ireland the botanist adam joseph male move with his wife clare bojana novakovic and their baby son finn to a remote house in the backwoods to study the local forest he be warn to leave the place by his neighbor cold donnelly mcelhatton but adam doe not give attention to the manes words but soon he learn that there be something evil in the forest that want finn the hallowd be a horror film with great potential and promise story waste by the terrible conclusion the screenplay build the tension perfectly use few special effects the climax be when adams house be attack by the evil creature from the forest but the writer do not know how to give explanation and conclude the film that become a lame mess somehow the conclusion give the idea of be ecological but indeed it be terrible my vote be six title brazil a maldição da floresta the curse of the forest The Hallow 6.0 director chan-wook park become famous all over the world with his vengeance trilogy and even though i like that three film sympathy for mrs vengeance oldboy and lady vengeance very much it be also pleasant to see park explore different horizon with the untraditional romantic comedy ism a cyborgs but thats ok and much recently with the film thirst which represent a unusual and very interest vampire film where the bloody scene provoke the same level of impact a the evolution of the two main character and the twist way their relationship follows however thirst be not a perfect film there be some unnecessary element in the screenplays and some change of tone feel a bite forced nevertheless that be offset to some point by the interest story the perfect control park have over his actor and the visual style with which he create attractive image and moment of a intense emotional strength in this last aspect and i will say this with the fear of fall into the hyperbole parks direction remember me to some point to filmmaker orson welles 1915-1985 work due to the care he bring to every frame and to every camera movement besides thirst be faithful to the vampire subject because it respect the biological precept from the myth wisely avoid its much theatrical and bland characteristics something which be a indirect way to say that there be a abundant level of blood and violence in this movie and in the oldboy traditions the violence be very graphic and direct the vampire from thirst be not the sophisticate one from the book write by anne rice nor the stylish monster from underworld or blade the character from thirst be realistic and imperfect person with a strange illness which test their conscience a good a their capacity to survive one much day at the expense of lose their humanity so despite not be a excellent film i like thirst pretty much and i think it deserve a safe recommendation a a very interest experience which i would not classify a a horror film but a a intense passional drama with supernatural subject which work a analogy of the reason and the spirituality when they be cloudy by the passion Thirst 8.0 the plot be solid enough the movie be entertain enough also mean that if you want something new to watch in the horror genre- this movie be just entertain enough the lore can have be improve upon and with some much back story perhaps even some flashback with some creative storytelling and this film can have be a gem the movie at just of minute doesnt provide enough time to the viewer to understand what this evil be that have descend on this family we be tell a few bit a piece about he of owner who run a funeral parlour out of this home something about the owner dagmar hide or sell the body and that the house be build on some ancient evil other than all that we be leave to guess at what the heck the rest of the back story be and what it have to do with the old boiler downstairs if only they take another of minute of screen time to flesh out the sordid past and we can have leave this movie much satisfy with a true understand of the house evil past where and why and how what we be leave with be a gore fest with jump scare that be really nothing new its just a good old fashion horror with a star rating We Are Still Here 6.0 its a family reunion for the davison family the father be in the market department for a huge defense contractors and hers loaded erin sharni vinson be one of the sons new girlfriend a gang of mask killer descend on the family but erin have a few surprise wait for them it take a lot of time to get the movie going aside from the perfunctory killings the of of minute be dedicate to bring a whole lot of this character on screen a few at a time ism not particularly interest in any of them and i couldnt really tell whoas who in this family when they finally get together at the diner table i feel thats the real start of the movie we finally get a nice feel of who some of this people are their interaction reveal much to me at the diner table than the previous of minutes then the action starts the action be all crossbows knives and axes its a little weird while i understand the reason i think a much prominent explanation be needed then the movie give us a twist its a very good twist it can have be much well with a well intro to lie down the bread crumbs once again the weak intro fail the movie as for the actors i find much of them to be overact at first its not unusual in a horror movie a lot of yell and scream can hide a lot of sins it didnt help that so many of the character seem to be do stupid things sharns vinson be a good solid lead she look like a weak girlie girl but be also believable a a bad ass nicholas tocci play a pretty good weasels overall the act be pretty good for a low budget horror You're Next 7.0 two reason why i watch this first ive be recommend this film by a friend secondly it star barbie hsu with a name like that why shouldnt i want to watch this ok so i know she star in the taiwanese pop-drama television series meteor garden and be just curious to see her in yet another horror movie and since ism in post-birthday celebrations i also learn sheds a day old than me ok so ism digressing silk be a horror movie and quite a decent one at that although it use the all too familiar ghostly boy character this boy unlike recent predecessor see in dorm be very much creepy and deadlier hers the star ghoul and exhibit a strange behavioural pattern of stay in a particular room and speak to himself or so it be thought team of modern day paranormal investigator cum scientists lead by japanese hashimoto yosuke eguchi recruit a police hotshot with special power of lip reading sharp shooting and that peculiar a sense ye qi-dong ichang chen to unravel the mystery of the boy however hashimoto have a ulterior motive into his research which have spawn a anti- gravity device call the meager sponge that can be use to entrap spirits and in liquid spray form allow the user to see the paranormal the movie rely on some hokey physic theory to bring across some idea and its premises it try to explain the phenomenon of spirit and ghost and how they come about use some scientific explanation that they be form of energy watch this movie to see if you agree to the condition present to turn someone into a spirit that roam the earth rather than to dissipate into nothingness upon death but dont get me wrong it doe make for some interest story development they its fiction science fiction anyway at its core this movie dwell on theme of existence family and again the human emotion of love and hated i think chang chen do good in the role of the officer who despite his super abilities still find it difficult to grapple with new inexplicable experiences and at the same time the critical illness of his beloved mother and try to maintain a relationship of sorts the rest of the cast do ok but in my opinion note much for their eye candy presence there be truly genuine scary moment in this movie which be seriously lack in recent horror releases although much be much ado about nothing or rely on the usual trick up the horror sleeve with smart manipulation of edit and music it do provide what i think be a explanation on how offering to spirit be possibly handled through the use of good place and polish special effects in summary what work for silk be its semblance of a decent story and the end which be satisfactory give its at time hilarious build up during the tense final what up with all this ring homages make plain ridiculous and full of cheese and unexpected twist of a logical flaw its also touch and sad at times and for that who be of soft hearts it may bring about some tears do take note thought with its pg rate locally much of the gore be censor out in really ugly means very jar to the entire flow of the movie Gui si 7.0 everything about this movie impress me the script be lean and inventive the direction stylish without be overblown the act top notch even the shot-on-video cinematography look great with the exception of one or two exterior shot that have a hint of video look to it much everything else be filmic and artistic i also appreciate any horror movie that can generate real tension and suspense from imagination and suggestion rather than rely on lame and lazy trick that populate much horror movie if something a limp a urban legends can be call a horror movie first rate film and i recommend to anyone who appreciate a thinking-man horror film Session 9 9.0 well i keep hear all sort of disappoint statement about reincarnation needless to say i be a bite reluctant to see it in my local theater but then i remember that i have never see a japanese film on the big screen so i go mainly for the experienced wasnt i surprise when i realize a after see the film a that its pretty damn goodwill keep thing vague so a to not spoil anything for that who havent see it yet i admire originality and while reincarnation be no marebito or tetsuo on the originality scale it definitely score high sure there be a lot of horror element use in this film that have be see before but they be not use in quite the same manner perhaps the much impressive thing be that the concept of reincarnation itself be use to bridge and interconnect all of this element in a new and satisfy way its like a chef who take a bunch of food that youve eat before but use a special ingredient to shake thing up in short takashi shimizu work good a a movie chef here some have complain that the end be predictable but this be a mislead assertion there be essentially three twist that occur back to back to back surely much viewer will probably be able to guess the of twist but there be very little probability that they will be able to guess either of the other woof course you can be sure that incompetent tasteless reviewer will criticize this film for lack integrity and weight was good a entertainment value only to then recommend completely weightless trash like friday the with in the same breath for the rest of us who actually enjoy a quality horror film well stick with our japanese gems other reviewer will claim that all japanese horror movie be the same but a skim of my user profile will convincingly prove their ignorance the pace of reincarnation be very similar to audition although not nearly a violent in its culmination the of of minute be basically a slow pace set-up for the finales with some dash of formulaic scares fortunately the final of minute finale be one of the much interesting original and compel horror sequence in recent memory so for that plan to see it please be patient and rest assured the crap will hit the fan hard quite frankly the final series of event in reincarnation have this viewer giggle with amazement just when i think i have the next scene figure out takashi shimizu would pull the rug from beneath my foot and turn the film in another direction think that the reason behind some negative reaction to reincarnation be the fact that it be market ineffectively there be nothing extremely violent in this film yet it be package within a horrorfest of film that be allegedly very violent ism sure that the horehounds enter the theater look for lot of gut and blood in which case they must have be greatly disappointed in addition no one know the film be in subtitles i watch east asian film almost exclusively so i prefer subtitle to dubbings any day of the weeks but i must say that the audible groan and moan from the audience when the subtitle appear be remarkably entertaining apparently read a few line on a screen be too difficult for american audiences of all in all this be a classic horror film that score relatively high in originality i highly recommend it for that who can appreciate a slow-buring plot-driven horror film with a fantastic finales Reincarnation 8.0 horror movie have become a dime a dozen in the past few years the watchable one seem to fall into two category of later misguide psychological thriller headline by a consummate actress witness naomi watts in the ring of or jennifer connelly in dark water or over the top slasher with serious kitsch value witness romeros enjoyable zombie flick land of the dead or rob zombies sadistic devils rejects all of the rest have pretty much be unbearable clich hack job white noise darkness falls oddly enough the skeleton key doesnt fall into any of this category and it come across a a breath of fresh air a old- fashioned throwback to the traditional gothic mystery thriller where a pretty female outsider kate hudson acquit herself rather nicely here a the hospice nurse travel deep into the bayou to care for a apparent stroke victim move into a big old house castle that just may be haunted the director and screenwriter start thing slowly and do a nice job of create a realistic set before let all the mumbo-jumbo slowly and effectively creep in gena lowlands and john hurt immobile and mute for much of the film be fairly good in their respective role a the marry couple with much than just skeleton in their closets weave see this stuff all before but its do fairly good here with no sense of flash or pretensions and a silly and potentially offensive a all this hoodoo in the bayou stuff is the audience be treat to a twist end that make perfect sense in the context we have be given this isnt a twist end for twist sake but a fit conclusion to the story the skeleton key try to remind people of classic like rosemary baby and the others it may not ultimately hold a candle to that films but its a very entertain way to spend a few hours The Skeleton Key 7.0 within the of min of this film anyone with any level of knowledge on cinema can admit to the films uniqueness in style look and the neo- genre it be try to create from the ash of genre such a western and vampires that much be evident right off the bath and it summarize the overwhelm high praise it be receive in the festival world this powerful revelation leave you in anxious excitement to want to see and know where this journey be take you and how it will leave you the story happen in a imaginary city in iran call bad city a very sin city like atmosphere where basic human value have vanish and what be rule this land be money corruption extreme misogyny and lots of oil as a matt of fact oil refinery seem to be the only legit function industry within this very bad city one can only guess where the oil money be go to and how it be be spend judge from the state the city be glorious black and white cinematography paint a very dark atmosphere that quite effectively suit the characters storyline and the location almost every shoot be carefully compose to the point that youd want to pause the film to appreciate them to the fullest the much important and powerful aspect of the film besides its brilliant cinematography be the vampire character both in substance and style taking in the fact that chadors a tool of female oppression be use a the vampires cape take a while to sink in the juxtaposition of both of that concepts oppression and domination make the character mysterious powerful and quite fascinate to watch sheila and be very effective a the vampire a well she wear a cold inhuman and aloof face yet there be so much sympathy and curiosity within her she hit both spectrum quite well there be a iconic track scene of the vampire skateboarding on the road which cinematically be one that will always stay with me it be purely magical the vampire be out to get justice for all the woman that be be harm by the patriarchal system they find themselves in in a creepy scene she stalk a old man on the empty street of bad city the reversal of role here hit the right note and it act a very competent punch line that set the tone for the whole film in the end a girl walks home alone at night be in the simple of term style over substance the film set up a brilliant and for lack of a well word unique platform to explore the unexplored and to say the unsaid however it sadly leave a lot much to be desired most of the scene drag on for too long if do right silence within scene can be a powerful tool to assert thing that no word can but this be not the case here such silence make the scene drag for too long offer nothing in return it seem that amirpour want us to take in the atmosphere and the inner-character tension that be supposedly go on but sadly nothing of substance can be find there no matt how hard one tried A Girl Walks Home Alone at Night 6.0 this movie be violent and very sexually graphics border at time on artistic but hardcore pornography but it isnt lurid for the sole purpose of scandal gory appropriately describe some section of this film but the word by no mean encapsulate it if one be will to stomach the periodic revulsion of watch this movie from begin to end with a thoughtful and mature perspective they will find that it be full of symbolisms foreshadowing and the kind of characterization that bring great success to novels few movies in fact possess the level of depth that antichrist does the movie isnt pack with moral insight but that doesnt preclude it from be intellectually engage and a a consequence genuinely entertaining one will also realize that the violent and sexual content be never pure excess the gory scenes though sickening be always important in some way to the main theme of the movie at several point during the course of this film i couldnt help but rewind it to watch a scene again discuss it in great depth with my friends attempt to extricate the fine detail that be present in abundance both at the surface and underneath to anybody that try to berate this movie a the derange product of excessively liberal foreigner i must point you to movie like saw which draw american crowd young and old for numerous sequel that be basically just series of elaborate and gruesome torture scenes sometimes clever but never much much than that there be much to antichrist than meet the eyes and i highly recommend it to anybody look for a horror suspense film that engage much than just the reptilian part of the brain Antichrist 8.0 for the incredibly stupid front page reviewer here its not even a review really just whine with no substance by somebody who doesnt seem to like or recognize horror ism not affiliate with the film in any way feel free to look at my other reviews ism just a horror junky that think he have see every horror movie worth watching and now that ive see this maybe i have this movie be really creative without give away too much it definitely broach other theme that have be cover by other movies it remind me a bite of inland empire and 13b in theme only not content and while its a somewhat familiar theme it go in a very different direction with it its very good pace and doe absolutely amaze job of foreshadow and just pile on the atmosphere and dread so good that at one point i almost didnt want to see what be go to happen the end completely take me by surprise it clearly a zero budget indie movie but you would hardly know it to watch it its good shoot and the cinematography be really good my only issue be a script one i think the main character dialog and decision deal with the crazy event of the film be oddly nonchalant and downright frustrate at time but then again it would have make the movie impossible if he have do what much sensible people would a a reaction to some of the event which be to call the cop lol this be absolutely fantastic psychological horror bravo to the director and everybody involve with this i rarely gush like this in this review but theres a reason resolution have get so much hype from horror specific movie sites its that good since theres no plot synopsise ill give a brief one a man be invite by his ex well friend to his cabin out in the boonies he know his well friend be pretty much a rock bottom meth addict and hers rebuff all his attempt prior to get him into rehab so he show up with a stun gun and a pair of handcuffs chain him to a pipe in the dilapidated shack he live in and be go to stay with him while he detoxes strange people live around there and every day he feel hers be lead to strange thing like records books journal and old film things get much weird from there Resolution 10.0 lights out be a interest stab at a horror movie base on a 2013 short film of the same name the movies novel concept be a creature that can only be see and manifest in the dark turn a torch on and it disappears naturally this mean that a lot of the movie be spend in the dark but this work well the use of light be one of the movies strong point and allow for some creative and occasionally funny use of torches candle and even car headlights this technique generate a lot of the scare and atmosphere and give the movies title this be a must definitely top mark for the director on this part teresa palmer and gabriel bateman do good in the lead role a the unfortunate kid with a crazy mother play by maria belloc the problem with the movie be that apart from its main concept it doesnt add much else cliches abound and yes there be the mandatory dark basement groan most of the scare be jump-out-at- you shock and its all be do before hollywood seem to have forget how to use psychological horror and churn out movie that be just twist on the same theme this be probably a bite harsh a the movie be enjoyable enough and its well-written but i long for something new that isnt so long in the tooth the supernatural horror be effective and doe elicit a genuine threat to the characters maria belloc in particular doe good to ramp up the threat level and make you wonder who be go to make it out alive as already mentioned this be base on a short film and it really still is come in at around of minutes perhaps there wasnt enough material to make a long movie but theres a feel that it end just a it get going lights out be a decent film if you feel the need for a dash of supernatural horror but dont expect anything stand-out it just doesnt deliver enough of a impact to make it memorable its good for what it doe but dont buy too much popcorn a you may not have time to finish it Lights Out 6.0 so ive read here and there that this remake lack the camp of the original and i look back over year ago watch the evil dead on a crummy rental vhs in the dark of my teenage bedroom one night the camp the original evil dead be a terrify experienced even with bruce campbell over the top performance the film be a scare-fest a terrify trip even nearly ten year after its release the camp be in evil dead of a horror comedy remake the original already technically this remake find many way to bow to the original aside the obligatory visual quotes the use of practical effects notably in a era of cgi- fill movies be extremely refreshing the gore feel painful make you cringe churn my stomach it successfully palliate a somewhat shallow characterization that make it difficult to root for the character with the exception of miao who owe a lot to a really visceral performance by jane levy and this be where evil dead 2013 take me by surprise after roughly a of half of the movie take evil dead fan by the hand towards hash and rehash territories make them doubt that this be a good idea at all the movie let go of your hand and youre alone in the middle of the woods and its dark and theres strange noise all about and then limb start flying i wont get into conjecture that the highly conventional and overly familiar of half be make that way with the sole purpose of place the audience in their comfort zone only to give much impact to the a half but i would surely ask fee alvarez if i be to interview him evil dead 2013 be a treat for the fan of gore and horror in any cases another reminder that out of ten awful remakes sometimes one rise to the top and delivers not for the faint of heart for sure but if youre a true horror fan and even more if you miss your old school gruesome gore rides this one be for you Evil Dead 7.0 we seem to be in a time where the remake of remake will be remade even film like cabin fever arent remain sacred the obligatory remake follows evil dead now be a remake with a bite of bite of course it have every possible cliche under the sun tick off we have the obligatory character come out of the grind with long stringy hair we have the trapdoors the book of death and of course the vomiting despite all the blatant lack of any sort of imagination evil dead somehow manage to capture the imagination and provide ninety minute of quite thrill entertainment the scare be plentiful and the act be such that you believe in the pain physical and mental it really be quite good made effective use of special effect and music not a film id look to watch on a regular basis but its somehow rather refreshing 10please enough with the remake thought Evil Dead 7.0 devil dead five stars out of five the of five star movie of 2013 be this long await reboot to writer director sam raisins 1981 cult classic original the evil dead its a loose sequel that find a new group of young adult stumble across the book of the dead from the original trilogy in the same cabin that iconic hero ash and his friend do in the original two films taimi and actor bruce campbell who play ash have return a producer of the film along with their buddy robert go taper who produce the original three films taimi pick fee alvarez to make his feature film debut direct and co-writing the film along with rode savages and diablo cody it star jane levy from tvs suburgatory shiloh fernandez lou taylor pucci jessica lucas and elizabeth blackmore levy play mia and sheds suppose to reprise the role for two much films the last of which be suppose to link this new film series to the adventure of ash and the original film following a army of darkness of movie i grow up on this film and be extremely excite to see taimi and campbell pick the series up again and think theyre off to a great start the story pick up of year after the original the evil dead film end with a new group of kid go to the same cabin so mia levy can try to detox and get over her opiate addiction her friend eric pucci olivia lucas natalie blackmore and brother david fernandez be there a good to help her get through it they come across the book of the dead the nature demonto from the original films in the cellar and eric foolishly read from it despite several warning not to he of course awaken the dead and mia be possessed the other originally think sheds just go through withdrawal but they soon find themselves be take over and kill off one by one a they fight the deadites for their survival the film be make on a budget of just $17 million which be a lot high than the original film obviously but a pretty small budget by hollywood standards the filmmakers decide not to use cgi except for touch ups and film for of days the result be definitely rewarding the film really have that old school classic slasher film feel to it and its surprisingly loyal to the original film in style its lack the power of a performance like bruce campbell but it be really funny and satirical more so than the of film i think but not its sequels the violence and gore be out of control it be of rate nc-17 like the original and it really be a true hardcore horror film its truly exhilarate and relentless i think the filmmakers do about a good a job a they possibly can reboot this classic series and be a huge fan its a enormous pleasure to watch i have no real complaints its a masterpiece just like the original film and its sequels watch our movie review show movie talk at https youtube watch v=gn0mep zzoq Evil Dead 10.0 after lewis thomas paul walker buy a car to pick up would-be girlfriend vena leelee sobieski from college in colorado he learn that his brother fuller steve zahn be jail on a misdemeanor charge in salt lake city so he decide to pick up his brother first during a pit stop fuller have a mechanic install a cb radio they joke around with truckers go so far a pose a a woman and set up a false date with one when the prank turn to tragedy the trucker seek revenge for the much part joy ride be a enjoyable horror thriller it be load with tension and its easy for viewer to picture themselves in the scenario a its relatively realistic the horror be form from everyday situations where just a couple bad decision can lead one into the sight of a madman however i have to subtract two point for something i very rarely subtract point for-- decisions on the part of protagonists of course some people think that horror film be primarily base on character make stupid decisions but in my view of the genre even if such action be clichéd filmmakers generally justify such decision at little in the context of the film too often in joy ride writer clay traver and j j abrams along with director john dahl make little attempt at justification why dont they just turn the cb off why dont they just ignore the villain why dont they call the police why dont they stay in place that be much populate like the truckstop why do they keep trust the villain while there be some cursory answer to a few of this questions take together you keep wondering in the films world how can someone so stupid be in college one possible answer be suggest by the joy ride dvds it contain a 29-minute alternate end that thankfully have a bite of commentary from both the director and the writers the alternate end be just be good a the theatrical version in my opinion and try to put a slightly much logical spin on the film our hero do end up at a police station with some police cooperation however it be apparently feel that this alternate actually the original end didn t work and didn t maintain tension abrams feel that involve the police much directly in the plot remove too much of the focus from our heroes dahl also state that he think there be too much character development in the original ending i beg to differ on all of that points although the revise end have many positive aspect not find in the original-- especially a rube goldberg-like scenario involve maximum immediate risk and create maximum tension the original end may have work well overall in my opinion but joy ride be good enough overall to transcend stupid decision on the part of the characters if see a a sequence of high-tension scenarios where logical plot connector be only secondary to create thrill rides joy ride almost deserve a a a in my rate system there isnt a scenario in the film thats not smart and inventive in some way the three principles--walker hahn and sobieski--give good performances and the villain be masterfully do by matthew kimbrough who provide the body ted levine who provide the bizarre creepy voice and dahl who wisely show glimpse of him but only glimpses the villain be almost supernatural in his cleverness strength and obsessions its just too bad that we havent have a sequel yet Joy Ride 8.0 in a way this film be a perfect example of form follow function what well way to show how empty and perverse the model scene in los angeles is than to make a empty and perverse movie about it if nicolas winding rein want to make this point he have make it loud and clearcut the question is do he really want to make this point or do he just want to take his cinematographic capability one step further by take the visual aesthetic to the limit without bother about the rest the neon demon be visually stunning but lack substance the story about a of year old model be literally devour by the fashion industry be nothing much than a vehicle for the visual exuberance of the film it be like a vogue magazines there be many pages but they be all fill with glamorous pictures and very little text you can browse through it but it doesnt have a message other than a endless display of beauty to accentuate the perversion of it all winding rein have add some horror elements which almost seem ridiculous especially at the end of the film theres also a irritate and very prominent soundtracks the act be mostly unnatural and pretentious but if you like browse the late edition of vogue magazines perhaps this be the film for you The Neon Demon 6.0 this film make ton of buzz from thai medium before its release give the fact that it be a film of the director of shutters which become a blockbuster in thailand a couple of year ago and star one of the much famous thai actress masha wattanapanich as a result it do surely not disappoint anyone the film provide some familiar moment of horror that canst help but remind me much of shutter it contains of course twist plot at the end though one may have not expect it since the of half of the film give no clue that there would be a twist at the end the twist be a lil bite shocking but predictable the set be familiar the hospital thai semi-traditional two-story wooden house and so on the film give audience enough shot of creepy graphics series of haunt moment and a room to breathe for next scary scene the plot have some thing to do with myth about siamese twins which happen to have vital link to each other masha and her co-star do a good job but they deserve well dialogue canst say that this one be well or wrong than shutter since the film didnt take its audience far than shutters have do except that it take you a far a south korea at the of mind there be no originality to talk about here so if you like shutter alone will give you kinda rekindle feeling with another cast and stories Alone 8.0 i yesterday see its hindi remake adaptation so i know the suspense but i didnt enjoy the hindi version and here for original despite know the suspense i enjoy the movie during separation of conjoin twin girl one of the girl die and she come back to haunt the other girl and reveal some hide truths the movie start slowly build the premise and in the last of minute it pick up speed full time last of minute be very good thrill and carry a good twist the movie doesnt boast of too many horror or spooky scenes but stay focus on its story with few typical horror scene here and there both the main character have do really good in term of acting script be really tight some comparison with hindi remake and why original be better whereas hindi remake be confuse even about the intention of ghost this wasn everything be almost perfect and a per script in this => hindi remake be lose by try to make it seem like a adaptation not remake despite them copy many scene with same dialogs and this result in senseless track insert in the movie and hence nullify the impact of the movie => characters in this be pretty good etch while hindi remake have caricature of them both the main actor here marsha wattanapanich vittaya wasukraipaisan act very good while in hindi remake the actors kran grover bipasha based be terrible in term of performance a wellall in all good watch for lover of horror movie will rate it Alone 7.0 a transport plane crash into the water supply of a small iowa town some of the townfolks become infect and turn craze killers sheriff timothy olyphant his wife radha mitchell his deputy joe anderson and a girl from town danielle panabaker need to escape not only the craziest but also the military send to contain the population this be remake of a george a romero movie its not that complicated it be a horror movie do classically without the jokey reference or overt sexualizations there be no gross out joke or that it be just simple tense horror do right the scary scene have to be the woman tie down on the gurneys and a crazy walk in if you want simple horror this be all you need The Crazies 8.0 the craziest a remake of a seldom-seen 1972 george romeo film be about a small town whose inhabitant drink taint water and become deranged the movie be slick but still terrifying rely not only on wacked-out effect but also on unadulterated suspense to really rattle your nerves at a little league game in ogden marsh iowa a man wander into the outfield carry a shotguns when the man raise the weapon sheriff david dutton timothy olyphant shoot him dead but the man wasnt drunk head just go crazy dutton investigate further with the help of his deputy russell joe anderson and discover that a plane carry a deadly cargo have crash into a nearby creek thus poison the towns drink water from there event quickly get out of hand a anyone whod drink water from their tap become of listless and unresponsive then mumbly then completely unhinged but thats only the begin of the nightmare for the town which be then surround by a military force bend on contain the virus by any mean necessary this be only kind of a zombie film i means no ones dine on the flesh of their live compatriots theres no shambling and mindless killing there plenty of killing but the afflict people still have the capacity for reason one thing i like about this be that precious time isnt spend try to discover the reason for everyone behavior attention be focus on the survivor and how they react to whats go on i also appreciate that at no time doe anyone even the sheriff have this superhuman ability to know what must be do and how to do it dutton isnt a superheros hers a sheriff another thing that help a lot be the pacing too often thing either move so quickly that you canst figure out whats be do to whom or too slowly so that the suspense angle become the boredom angle this be crucial for a horror film which basically trafficks in suspense director breck eisner keep the action come without hold up the story g no drawn-out standoff when it would look implausible and there be plenty of creeping-up-on-you moment to choke twelve cows olyphant look a lot like a young bill paxton here and hers a good fit sheriff dutton be a solid leaders but hers not a improbable one hers the kind of guy who rise to the occasion not surpass it completely if youre look for a movie where the hero be always arm to the tooth and subsequently never get much much than a scratch on him this isnt for you dutton have to constantly fight with his own instinct and change his attitude during the course of the movie save everyone save his wife save a few people save himself people who make horror movie know theyre make them for a pretty select audience lots of people dont like horror movie at all and that who do be somewhat picky about them particularly with so many big-budget one from which to choose so standard be high its important to grab that core audience show them something they havent see or havent see do particularly well then smack them upside the head classic horror film use the horror of the unseen to great effect and more-recent genre film try the same things one reason for this be that weave become inure to in-your-face slasher films because the anticipation of the slasher do his slash have largely be eroded but thats a digression right there basically if zombie movie in general be your bag you should love the craziest if you dont like any horror film regardless theres no way you should see this the crazies be effectively scary mix human emotion with raw blood and gore and endless edge-of-your seat thrills The Crazies 7.0 how can i begin to describe this amaze film random image pop into my head from memory tony curtis a a dash fortune-teller and huckster prance around his san francisco bachelor pad wear a sorcerers outfit one of his elderly female client be possess by a indian spirit and be toss down a flight of stairs you dont even need the pause button to see that the stunt double go down the stair be a big dude in a dress and wig burgess meredith muddle through one of his last film roles play a senile old coot with amaze realism to no ones surprise a indian shaman with a yiddish-sounding new york city accent and a penchant for stale one-liners a naked midget dress up like a evil reincarnate indian fetus cover with goo a topless susan strassburg hover in the a dimension and fire lightning bolt at the evil spirit use electrical energy from a huge 70 computer you must see this film The Manitou 9.0 this non-related sequel be so sweet-natured so tame and family orientate that to assume otherwise be completely ludicrous there be nothing in this movie that can possibly rate it above a pg max i wouldnt even have reservation let young child watch house of a new house have a 20-something yuppie call jesse barye gross move in with his girlfriend kate alar park-lincoln his friend charlie jonathan stark a music agents arrive with his new diva discovery jana amy yasbeck to help him thru the unfamiliar of few days the house be where jesses parent be kill when he be just a baby and it full of many curiosities crafted in a bizarre gothic-aztec style the house itself be a marvellous set and the many room and passage be a mysterious to us a they be to jesse sitting on one of his many mantelpiece be a crystal skull that fascinate him for some reason he even miss his housewarming party while study the skulls history his study lead him to dig up the grave of his great great grandfather or gramps royal dano where he discover the old coot isnt dead just in limbo the person who possess the skull be grant eternal youth but it also warp the space-time continuum within the house gramps come home with jesse be much enthrall by kleenex box and tv than the mystery around him and duck for cover whenever someone from another time come to steal the skull just like the of movie different room lead into different time zones jesse and charlie have many hilarious adventure battle caveman dinosaurs aztecs a evil cowboy call slim the one that kill jesses parent and betray gramps over a century ago house have so much careless abandon and zany plot twist that it be totally impossible not to love this movie the huge success of the of movie mean that this one be put into production literally and hour late and ethan wiley be give the budget and green light to do whatever he wanted how often doe happen today usually it would make for a bad movie consider this be the of movie wiley directed but it make for a unusually cute and light-hearted supernatural romp one of the weak aspect of this sequel be that it have much six and animation by phil tippets stop-motion workshop and little by dreamquest the matte painting be gorgeous but the date dinosaur look hokey in a few shots if you can just squint during this moment you wont notice bill maher from tvs politically incorrect even manage to show up a a music producer who be interest in yasbeck and mighty suspicious of jesses antics john ratzenberger this make both movie star one of the cheers barflies appear a a repairman adventurer who assist jesse and charlie battle some aztecs look out for kane hodder jason in a ape costume jesse adopt a fluffy little baby pterodactyl and a strange creature call a caterpuppy a cross between well you know you need a open mind and a suspension of disbelief to swallow the outrageous goings on in this movie the commentary be well than the one on the of movie ethan wiley and cunningham get on good and have no quibble point out how crazy the film is they discuss the budget tell tale of the late royal dans and explain how many of the effect be pull off within the constraint of the budget one of the much interest thing they mention be that even tho the movie be stick in between the color purple and beverly hills cop ii the kid still prefer house a their fave movie of the summer but because the movie didnt have its own open weekend unlike the original it wasnt a successful didnt stop much sequel be made a theatrical trailer be also included much like the of film the picture have be brilliantly transfer onto dvds the 85 anamorphic picture look super with very few glitches colors be render with pleasant accuracy and you wouldnt believe the low-budget origin when judge this picture there be some grain during dark scene but other than this the movie be look great the mono soundtrack be not terribly engage and much of the films sound be centre-channel biased but theres no hiss or pop to worry about it may be mono but its clean and fresh sound to me House II: The Second Story 10.0 this movie capture the mood and feel of many a bad was horror flick and then add a few twist bring smile to your face the actor do a excellent job of keep a straight face while deliver bad dialogue the movies one-tone humor cause it to sag in the middle but that be much than make up for by the inspire and silly ending Monster in the Closet 10.0 monster in the closet be set in the small american town of chestnut hills california where mary lou jona leech a young girl the blind joe shelter john carradine be all attack kill by something nasty in their closets jump to san francisco the office of newspaper the daily globe where usually ignore reporter richard clark donald grant be give the task of write a story about the three unexplained murder by his editor ben bernstein jesse white richard drive to chestnut hills head straight for the local police department to interview sheriff sam ketchum claude akins there he meet high school biologist diane bennett ddenise dubarry who think some sort of creature my be responsible because of two mysterious puncture wound on the victim bodies richard sheriff ketchum head over to the scene of mary louis murder richard find some sort of claw he head over to the school to ask diane about it scientist dry pennyworth henry gibson say he have never see anything like it want to run some test on it later that night at dinners house richard pennyworths a priest name finnegan howard duff dinners son paul walker be have dinner when they hear scream from across the street margo stella stevens claim that her husband roy paul dooley have be kill by a monster that come out of the closet a national emergency be call the army be call in to combat the threat that the monster in the closet poses written direct by bob dahlin i be somewhat surprise that monster in the closet be a decent little film the script be a homage to all that 50 type monster films from the general who want to just kill the threat to the scientist who want to study it the priest who who think religion be the key the reporter who look feel like clarke kent from superman a the hero the attractive female because of the type of comedy horror hat this film be it start to drag a little it start to get a bite boring the term one-joke-film spring to mind there be a few amuse moment if your familiar with the type of film that monster in the closet spoof then you may get a fair amount of enjoyment out of its of odd minute duration i doubt anyone would want to watch it much than once though the pointless constant on screen caption become highly annoying director dahlin film with competence on a obviously low budget the monster itself look a bite rubbery but i didnt think it look too bad there be no blood or gore whatsoever so forget about anything like that there be a touch of nudity in a shower scene apparently monster in the closet be film in 1983 be picked-up release by stroma in 1987 make of that what you will technically monster in the closet be pretty good nothing outstanding it have cheap production value throughout but it end up be well than i have expected the act isnt brilliant but again by no mean the wrong ive seen carradine make a appearance for all of minute at the start monster in the closet be a decent little homage to many other sci-fi horror film fan of that genre would probably get much out of it than others i personally think its worth a one-off watch Monster in the Closet 6.0 in san francisco when several local be find murder in their closets the rookie journalist richard clark donald grant be assign to investigate the cases he stumble upon the scientist prof diane bennett ddenise dubarry and her son professor bennett paul walker at the police station and befriend them soon they learn that a monster be responsible for the death and they team up with dinners chief dry pennyworth henry gibson and father finnegan howard duff expect to destroy the monster and save the world monster in the closet be a brainless classic trash-cult by stroma the production follow the usual cheese romans style and there be parody to at little the exorcist close encounters of the third kind alien the war of the worlds and the howling among other films in addition it be funny to see the debut of paul walker and a early work of ferie and the cameo of john carradine my vote be six title brazil to monster do armário monster in the closet Monster in the Closet 6.0 how on earth have i never see this film before i watch it tonight because there be nothing else on cable again lucky merit start with some time-lapse film of plant-life and look like a programme from the open university but then the soundtrack signal something strange be happening mutations owe a lot to tod brownings freaks but offer load more some nice 70 nudity plant that eat live rabbit why not pet food dialogue that mention cloning dinosaurs a soundtrack that judder from spaced-out slowed-down phase bass to free form jazz this be a minestrone of madness with some nice inconsistencies in the plot great tom baker be obviously heavily influence by his role in this film and take much of the wardrobe with him for dr who The Mutations 9.0 ignore the uptight weirdo who spend 000 word bash this movie its very enjoyable a long a youre a fan of the genre with many gratuitous lsd reference and a real live carnival freak show how can you go wrong if you think swamp thing be too intellectual and the fly be just too gross this movie may definitely be for you one of many human-cross- animal or plant movies what cause this one to stand out be the overall creepiness of donald pleasance and basically the entire plot what you can make of it photography insert for no particular reason just add to the fun the people who make this movie must have have a blast and so will you a long a youre not some amateur wannabe film critics sheesh The Mutations 7.0 despite a low budget and mediocre act with blue screen effect that make you laugh this movie be actually quite good not many movie this day be actually scary in a age where saw someones head in two make people yawn it seem time to bring back some old fashion scares based on the legendary winchester house this movie provide that old school thrill with very little gory violence the threat be consistent and sustain allow the viewer to feel threaten where other horror movie would back off despite all the negative aspect to the film it be enjoyable to watch and the fact it be so cheap actually helps hollywood often gloss over horror make it unscary this go the whole way to provide good entertainment worthwhile watch Haunting of Winchester House 7.0 this movie be quite a surprise usually the movie make by the asylum be mediocre but this one be quite out of the normal standard the storyline and plot be intense and something you immediately get yourself immerse into because it be compel and interesting the story take you place in a good pace and it leave you want more now i have be read some of the review here already and i will agree with what many have chisel out that the act in the movie be not among the well of movie performances but what drive and carry haunting of winchester house be not the acting it be the story the gloomy feel of the place and the genuinely creepy sounds now dont get me wrong the act wasnt all throughout bad through the entire movie but there be point where it be painstakingly bad to look at but the mood of the movie luckily make much than up for this fact what i didnt fully understand be the director obsession with have shadowy person walk past the camera view sure it work the of time but it be do repeatedly over and over to the point where it be just annoy to look at there be nothing scary about some dark silhouette pass through the view of the camera also the ghost and i use the term loosely here good they be much like walk dead not zombie a per see had they choose to go with a much ghost-oriented approach the movie would have have so much much depth and value the ghosts be too physical had they be transparent wispy incorporeal projection of themselves it would have add so much much to the movie but in all fairness the main ghost be sort of disturb and scary nonetheless and the end be amazing that totally take me by surprise i didnt see that coming and a end like that always sit good with me i like it when movie be unpredictable and doesnt end in the traditional sugar-coated-hollywood-fashion-ending that much movie doras a fan of hauntings and supernatural phenomena i find haunting of winchester house to be quite interesting and the movie turn out to be much much impressive than i have anticipated if you like ghost movies and can live with some at times little than mediocre acting then you should definitely check out haunting of winchester house because it be really quite good truth be told then i have goosebumps several time throughout the movie Haunting of Winchester House 7.0 there isnt a whole lot to say about the film so ill get right to the point the act be by far the wrong part of it the performance be forced uninspired and a pain to watch in some places that be said the film at of seem to be pretty much a wish mash of every other haunt movie same scare tactics same suspense builders same basic idea of ghost with unfinished business at first after the film get go it be obvious that the writer be try to take thing in a different direction and while overall the film will much definitely be bury amongst all the other ghost movies and haunted house movies there be still a original idea or two to be found and for a fan of the genre it be still worth a view to the end most of the plot you can see clear ahead for miles thought and again the act really detract from scene that would have otherwise be much intense the script be a bite awkward in spot a well so i canst blame the actor entirely anyway if youre teeter on the edge a to whether or not to spend the time or money on the movie id recommend give it a shot if you havent see many horror film its definitely worth a watch and if you have you may be pleasantly surprised Haunting of Winchester House 6.0 him gonna need a big knife the flatwoods sasquatch terrorize victim within the vicinity of his cavernous dwelling bind crippled preston rogers matt mccoy still recover psychologically from a tragic fall from nearby suicide rock which take the life of his wife find himself in quite the dilemma despite his wish against return to the cabin he share with his wife both rock-climbing expert who scale suicide rock often preston be forced thank to his doctor who have assign a smart- ass orderly otis christien tinsley who imbue his character with a smarmy attitude over his care to confront what ail him instead preston helplessly watch a the rotund furry beast attack a female group gather together across the way in another cabin for a bachelorette party attempts at get the police and otis to help fail because no one believe such a wild story a a sasquatch on a violent rampaged somehow preston will have to take matter into his own hands but how can he and what if the sasquatch come after him how will he defend himself when hers limit by his disability and how can a wheel-chair bind cripple ever help other in need rear window be mine yet again for inspiration but i feel the story-line be effective i think there be some suspenseful moment thank to the benefit of have a cripple hero limit in way he can help that in trouble due to his lack of mobility through preston were helpless on-lookers towards that who be assault by the sasquatch the unrealistic sasquatch which look like a costume beast can either be a liability or a gas depend on your mood theres a sense of fun at work here if you can look past the limit resource director ryan schifrin has he deliver a entertain little creature feature with plenty of gory carnage to satisfy gore-hounds one victims body be pull through a small window from the waste snap her frame in two one female victim be crush under-foot by the sasquatch another face be completely eat off you get to see tiffany steps completely nudes take a shower recognizable faces in small roles populate the film such a the late paul gleason the breakfast clubs a ornery sheriff jeffrey combs a a chain-smoke gas station employee with tube feed him oxygen from a can quite scraggly under frizzle hair dirty cap and grubby beard dee wallace stone a a terrify wife who accompany her husband outside find their horse rip apart and lance henriksen a a cynical hunter who just want to kill something he supply a very funny darwin awards monologue Abominable 6.0 delirious surreals and savage tobe hoopers follow-up to his landmark debut chainsaw for that not in the know be one of a kind while bear the same signature stamp he leave with his predecessor a sheer unrelenting onslaught of pure madness macabre and dark humor although not a entirely successful a chainsaw beaten alive be one mess up little drive in flick with good performance particularly by brand a the psycho inn keeper of starlight hotel mumbling incoherently through much of his screen time and sputter gibberish when audible neville brand be eerily convincing the begin of this picture owe to psycho in that you meet a character that you be lead to believe be the no pun intended titular heroine but be quickly dispatch and we be leave with the equally sleazy andor oddball resident of the locale like ole country boy buck englund whoas a hoots or that oddball couple whoas dog get chomp by the gator that live in the swamp behind the hotel its that kind of movie folk so be aware what youre get into creepy oddball fun Eaten Alive 6.0 a crazy homicidal man name judd own a shabby hotel in the louisiana bayou and when he receive guest he go out of his way to murder them and fee them to his pet crocodile some of this unexpected guest who face this horror that await them range from a reform hookers a unfortunate family and the hookers father and sister who be look for the miss girl tobe hooper director and kim heinkel co-writer the two who bring us one of the much powerful and groundbreaking horror film of all time the texas chainsaw massacre team up again for their next independent b-grade project the crazy exploitation piece beaten alive the films title have be rename plenty of time by the distributor and also its be label a hoopers lose movie it may lack the power raw intensity and realism that make tcm so nerve wrecking but this gruesome horror film doesnt hold back on the shock and sleaze of the typical low-grade horror that fill the late seventies theres a sheer amount of gore and flash of nudity evident compare to his previous film thought it doe come across a much of a comic book horror because of eccentric character and outlandish setups the absurd plot doesnt stand out a its basically take right off psycho and doesnt make too much sense but the look of the film be terrific and its high on atmosphere the cheap set and swampy terrain with its blanket of fog and wildlife sound capture such a horrify and morbid awe and there be some rather uncomfortable scene that be sick and twisted its fill with adrenaline pack scene of graphics if comical violence of crocodile munch and graceful blood splatter involve judges scythe these thrill sequence involve a chase through the swamp girl under the house and a sudden burst to the climax that end with a whirlwind of sheer chaos another element that stand out be the rusty colour scheme which be rather murky and dull in tone because of the lighting these under light set add to the disorientate and gritty feel an eerie and high pitch music score be rather effective a it really nag away and make it quite unsettlings frantic edgy and encroach camera-work be achieve to great effect we get the usual sloppy and atrocious special effect that we see in cheap b-films and the massive rubber crocodile looks real shoddy be no exception the cast give mostly amateur performances thought there be some fine performance by robert england freddy kruger fame in one of his of big screen role a a horny local stud call buck and when on screen he shines neville brand a the mumble and wander judd deliver it brilliantly he totally capture the mentality of this craze character there be a lot of scene where we just listen to the creepy judd ramble on in a husky tone and meander around the shadow that fill run-down hotel listen to country music and much of this sequence feel like theyre drag the pace marilyn burns who also star in the texas chainsaw massacre play faye the mother of the annoy family who check in and spend much of her time be gag and then finish off by scream her lung off good support by mel ferrer and cystin sinclare a the prostitutes father and sister and stuart whitman a sheriff martin roberta collins and janus blythe also appear the dialogue be rather bad and inane at times but theres some add tongue-in-cheek humour it definitely not in the same league of hoopers previous effort the texas chainsaw massacre rather silly stuff but amuse low-budget nastiness with good art direction and some sudden jolt of excitement Eaten Alive 7.0 well if you see the texas chainsaw massacre and be impress with director tobe hooper your next move may be to view his a film eaten alive i search all over for a print and finally be lucky enough to find one and see this somewhat forget picture one reason for its seemingly firm place in the rank of oblivion be its numerous title changes notwithstanding all this i find the film and watch it the film be interesting bizarre unbelievable and disturbing the set be just a trifle too unimaginative to be take for real a be the central character of judd for the much part deftly play by neville brandy the plot too seem to be make its viewer accept too much for grant without really give any knowledge of why judd be the way he is despite this shortcomings the film have some of the truly much horrific scene filmed the scene in which judd try in vain to goad a young girl from under his hotel out be sheer terror other scene in which he dispatch some of the hotel guest be equally effective the film have a lot much go for it than its oblivious nature would suggest it have fine performances a eery set and score and the taught tune terror tobe hooper realize in his of great film Eaten Alive 6.0 ok its make by the sci-fi channels one of the king of ok too generous cod movie production does anyone know if they ever make a good movie that wasnt a miniseries dune and children of dune be good does anyone actually expect sci-fi to make a good make for tv movie that be not a miniseries the writers director and actor all know this and play to it the movie be bad but because everyone involve know this it actually become very funny at points it even make fun of some the classic horror movie clichés the requisite couple have sex that die early everyone know that the of people to have sex or get into their skibbies always dies be two geriatric escapee from a nurse home realize what we all know its bad its mean to be bad and enjoy and revel in the badness must have for bc movie collectors Mammoth 6.0 context be everything for this type of film this be a 1970 era devil worship film which be a genre quite apart from other horror movies the american public be in something of a satanic-panic in the 70 what with people listen to black sabbath and play dungeons and dragons in retrospect it be all relatively harmless and rather silly a be this film that said the actor do the very well job possible with bill shatner be very ump shatnerian and borgnine being well borgnine compare his performance in disney black hole for contrast- hilarious if you like anything either of this actor star in you will probably like this a good unless youre offend by the religious contents i actually though borgnine look better a a goat at little until he melted the exposition flashback portion of the plot remind me of the reverend kanes plot in poltergeist iii the final chapter the presence of the actual priest and priestess of the official satanic church be rather telling they obviously didnt take it all that seriously so why should the viewer or anyone else i find the special effect towards the end to be quite spectacular again for the era and genre i be leave with little sense of closure in this film however a the fate of the main character be leave quite unclear i suppose were expect to go with the good lord will work it out a a explanation but something about the end give me the feel that the good guy do not win out which may again have something to do with anton slavey be around at little its not look whats happened to rosemary baby or wrong still the touch of satan as horror film go i give it a out of but a 1970 satan movie go i give it a out of it really be a matt of context The Devil's Rain 8.0 this have get to be one of the strange movie ever made yet somehow i still find myself revisit it at little once a year despite the fact that its seriously flawed i will attempt to explain why that is lets begin with try to decipher some sort of plot out of this mess from what i can surmise here after multiple viewings mark preston william shatner have possession of a important book which have be hide by the preston family for some 300 years it contain signature write in blood of the score of people who have sell their soul to the devil over the years there be also a immortal disciple of satan name jonathan combis ernest borgnine who have span this century terrorize the preston in a fail attempt to obtain the book which be require to deliver this soul to lucifers in the meantime the torture victim wait and moan in eternal limbo trap inside a large vessel call the devils rain until combis can locate the book he seeks combis have succeed in seize mark and his mother sida lupino and turn them into brainwash cult members and its up to tom preston atom skerrit and dry samuel richards green acres own eddie albert look totally lost to join force in foil corbis plant little thats what i think be go on director robert guest 1970 wuthering heights the two dry phies films doe a horrible job in try to tell a linear story and there be much hole in the plot here than you would find on and street back in the 1970 just about everything go on in this movie may be point out a not be adequately explained and yet -- and yet -- the film be still not without some thing to enjoy for fan of cheesy horror its a treat get to watch ernest borgnine smarty himself really get into his diabolical role and its a add kick see him in monster makeup whenever he summon up a goat-demon from the pit of hell emerge with huge ram horns eddie albert seem to be a confuse a we are and this be much obvious in a outside sequence late in the film where he and skerret be argue over the mean of the devils rain its hilarious watch them step over each others words and you get the impression they just wing all their dialogue for that scene william shatner get his moment to shine where he go over the top a weave come to love from him corbissss goddamn you you also gotta love see ida lupin sink far in her late year to the point of walk around a a mindless zombie with her eyeball blacken out which be the prefer manner of initiation for the soul of satan and then there be john travolta -- this be his of movie but its nearly impossible to spot him a one of the black-eyed cultist in his few very brief appearances real-life member of the church of satan anton slavey be a advisers on the film and appear wear a mask a one of the devils servants the climax of the movie be worth wait for and it be tout highly a the main sell point back in its day we get to see the result of the devils rain on the minion of cult worshiper when the sky open up and pour down upon them there be some good effect there even if its obvious how the sequence be be milk for all its worth the devils rain be not a good movie but all the same its one of that weird horror picture that may appeal to fan of so bad theyre good flicks out of The Devil's Rain 6.0 in africa a english sugar cane plantation owners pregnant american wife be curse for her sisters stop the tribal sacrifice of a goat christopher lee give obvious star treatment and always a welcome presence a far a this horror fan be concerned be a raspy-voiced doctor with asthma dry pearson who also have tie to the witchdoctor and attend to the medical need of his neighbor locals the ceremony interrupted the blood sacrifice removed a summon monster from the sea may just wreak havoc on them alli think what work well for a film such a this be the knowledge of possible peril in store for that out of their own environment with danger lie in wait throughout the african landscape where a killer can appear at any moment carefully present be the culture clash between the outsider and the africans lees support role be interest in that hers a wedge between this very different worlds have garner relationship with both sides understand the custom and belief of the tribe with clarity we actually see him drive into the tribal village to chat with the witchdoctor develope a mystery a to his intentions his ambiguous motive do call into question whose side hers on i think this film have some good suspense because the plot really build on the fact that the innocent be outnumbered in a place home to that that threaten them the film also introduce english neighbors a widower and her granddaughter who provide shelter to liz when she need it the most many may find this sort of film a bite racists i guess in todays politically correct world think the much intense scene occur when character find themselves move through the endless wave of sugar cane fields the perfect place for a killer to lie in wait my favorite have this great sense of upend doom a a much and much frighten elizabeth jenilee harrison walk through her house delicately search for her husband geoff andre jacobs who have arrive from a near-death experienced in a state of panic who be not answer her calls the crescendo to this really pack a wallop because elizabeth find herself in a very difficult scenario with limit option of survival poor liz do nothing wrong to deserve such rotten circumstances while the machete make its grand appearance throughout accompanied by the whoosh sound a it doe damage off-screen there isnt a lot of gore on display the score really pound away effective i think at eat away at the viewer or perhaps annoy the hell out of you which ever you prefers a suspense scene culminates this film would probably be take much seriously if it werent part of what many consider a lackluster franchise of unrelated films at any rate curse iii blood sacrifice wasnt a bad a i be expecting in actuality i kind of enjoy it lee fans have no fear even though he doesnt have a large part he doe provide that great monologue a to his history and relationship with the witchdoctor always giggle a he look on from within the deep sugar cane fields Curse III: Blood Sacrifice 6.0 the snake woman be a brief only of minute long painless silly and quite amuse british horror film with some decent atmosphere and capable performances its not memorable overall save for its sexy snake woman but its entertain stuff its low budget enough that the monster action be all off screen and its get a talky script to bootman early credit for canadian bear director sidney j furie whose diverse career have include thing such a the press file the entity iron eagle and superman ivy the quest for peace its not strong on story but it have its moments in a with century village a herpetologist john cazabon be treat his wifes mental illness by inject her with snake venom the result be their daughter be bear with cold skin and blood and other reptile like tendencies a doctor arnold marler spirit the kid away and give her to a shepherd stevenson lang to watch over of year later the doctor return from a extend stay in africa to find that villager be perish from snake bites a scotland yard detective john mccarthy be put on the case the highlight of the piece have to be the presence of beautiful susan traverse who play our snake woman her appearance in the wood have just the right slightly spooky touch mccarthy be a moderately engage hero who of course believe in sane routine believable answer to questions but realize that theres something genuinely strange go on here geoffrey denton offer likable support a the retire colonel clyde unborn who ask for the yards help as befit a character of her type elsie wagstaff be a hoot a the witch-like woman aggie who know the girl and the village be cursed as one can imagine the resolution to this be rather abrupt which prevent it from be completely satisfying still one can do much wrong than this and even that who dislike it wont have to put up with it for long six out of The Snake Woman 6.0 its obvious that the snake woman be make on a shoestring budget the production value be very low the special effect nonexistent and the film only run for little over a hours but in spite of that sidney j furies film be at little a interest example of early sixty horror the film proclaim itself to be base on a legend and be set somewhere out in the english countryside the plot be rather ridiculous and unlike other horror film base on similar subjects this one doesnt quite have enough to distract from that fact the film open by introduce us to a scientist and his wife it transpire that the wife have be have some mental health problems and her husband have be treat her use snake venom the wife also just happen to be pregnant and naturally the snake venom treatment have a effect on the newborn child a local midwife witch label it devil and pretty soon the villager be try to burn down the couples house but not before they manage to get the child to safety we pick up the story some year later and some of the villager have be dye in snake relate incidents the big problem with this film be undoubtedly the script which at time be just mind-bogglingly stupid some of the line of dialogue be absolutely shock and many of the character would be strong contender for the most stupid character of all time award it take many of them a eternity to work out the much obvious of conundrum and it make the plot a bite hard to swallow the film be very short run at just over a hour and to be honest this be probably a good thing a i can imagine it would become tiresome if it go on for much longer the film be without special effect for much of that duration and rely mainly on the story to pull it through it doe work fairly well we dont really get that much information on anything a shame since a bite of back-story can have be really interesting but theres a few good idea on display overall i wouldnt really recommend that anyone go out of their way to track this little film down it be interest in its own right but in all honesty theres plenty of well example of this sort of thing out there The Snake Woman 6.0 this serviceable follow-up to the original alligator have absolutely nothing to do with that movie a other than feature a alligator live in the sewer of a us city i actually find this a fun tongue-in-cheek little monster movie that work around the low budget to deliver a pacy entertain film with a strong script to recommend it its close to piranha than jaws in tone with the usual stock character show up the rookie copy the greedy property developer the ignorant mayor and the dedicate law enforcer on the tail of the beast literally in this case the wrong thing about the film be the alligator itself its a combination of stock footage from the original film and a absolutely rubbishy pair of rubber jaw push at the intend victims the poor fx and distant lack of bloodshed make the various attack sequence a real let- down but thats okay because what happen when the alligator isnt on- screen be much interest than it is the cliched character be bring to life by a wonderful ensemble cast of familiar faces joseph bologna be good cast a the likable cop do his well to catch the best i also like woody brown a the young inexperienced square-jawed hero dee wallace stone the howling find herself waste a the cops wife with nothing to do but the stun holly gainer have much fun play the mayors daughter the scene chew be leave to a pair of dedicate b-movie veterans first up be steve railsback turkey shoot excellent a the utterly repulsive villain of the piece a we have richard lynch play one of that half- crazed redneck hunter types other familiar face include brock peters a the black chief of police jason voorhees himself kane hodder a a alligator hunter and boyo goric a russian villain in rambo first blood part of a a henchman this isnt a great film by any means but i find it a much than entertain effort consider the budget Alligator II: The Mutation 6.0 alligator ii the mutations be a much than capable sequel to the of classic spoilers a rash of death in the chicago swamp have leave the local police baffled detective david hodges joseph bolognas be bring in to lead the investigation which take place near broke vincent browns steve railsback new real estate expansion one real sentimental case get him much motivate than ever to solve it his wife christine dee-wallace stone a chemist tell him that one of the much recent clue to the case be involve with a animal of some sort but she canst solve it herself more investigate find that brown be try to scare away the resident for the real estate he be building and he formulate a theory that a crocodile or alligator be behind the attacks no one believe him and the mayor bill daily place him under house arrest after escaping he seek out the resident around the lake who be concern that vincent brown be a cancer on the area another attack bring hodges after it much determine than before especially since brown bring in a special team lead by hawk hawkins richard lynch and his partner billy boy kane hodder and paul tjon paul jones to catch the alligator and have failed finally team up together everyone work to get the alligator out of the sewer and be able to kill good news what can i say i really like this movie there be several thing that i like about it first of all the action in the film be actually exciting the of confrontation with the gator in the swamp be a great scene that i love to watch over and over again the fake gator may have kill it a bit but it be still a very enjoyable scene what help be that the film play with the fact that it be a campy movie and never try to overplay that what really help the film be that the campiness play into scene that it allow the action to be over-the-top with all the scene that feature the alligator we do get to see a few great scenes every single scene in the sewer chase the gator be a pretty cool scene the gators assault at the end of the film be pretty cool to watch a well it doe have a lot of vicious look attack a well the of time we see the gator swim in the lake and its land on the beach be all pretty chilling the film even have some good suspense scene write in a well when the gator of appear in the sewer stalk the two copse it be a pretty chill moment the attack on the winos in the middle of a darken alley light only by torch-light be the films much chill moment and be definitely its high point the final scene in the lake be also pretty terrifying but it could ve be handle a lot differently than it waste bad news the many scene set in the nightclub with the wrestler be a total waste of time it do nothing to the plot of the film and the move be so relatively standard that it didnt impress me that much the only thing it do be provide the film with some much need length and even still it doesnt stretch the film that much what really hurt this film the much be that the alligator itself isnt very menacing the change between the real one and the fake one be so obvious that only a real unintelligent person would recognize it a a real monster the change between them be so great that not be able to tell them apart be unfathomable the real one is naturally a real one but the fake one doesnt even move a single iota the tail doesnt even move when it swim in the lake at the end a real letdown consider how other film have go to such great length to correct that small flaw the film would also be a lot well without the really tack on ending the real end isnt really all that spectacular and it leave completely dissatisfied the final verdict ignoring the fact that the killer monster who doe have a lot of screen time be very fake and a rush end that never really match what the rest of film set up this be a pretty good film consider the of one be a bona fide classic good for chase away rainy day with your drunken buddy or for that like to watch a movie and ridicule it at the same time rating pg-13 graphic violence adult language and child and animal in jeopardy of the alligator Alligator II: The Mutation 8.0 bert in gordon when you hear that name many people smile but some trembled many of us remember his back project monster the beginning of the end transparent giant the amazing colossal man and his malevolent ghost tormented okay so his effect be usually little than special but his movie be always entertaining that bring us to the movie i be here to-night to talk about the cyclops susan winter gloria talbott look just so gosh-darn sexy with that short haircuts be search for her fiancee who vanish year early while fly over a dangerous mountain range in south american refused permission to fly into that same mountainous area she and her crow go anyway on board be russ james craig who be secretly in love with susan and be probably hope all they find be a pile of bones pilot lee atom drake who be just in it for the money and marty alon chaney who be look for uraniums he doesnt want to mine it he just want to file a claim a part of a elaborate stock swindle he be planning okay so they make it to the lose valley actually the ubiquitous bronson canyon and right away russ sees or think he sees a giant lizard find his uraniums in fact the whole valley be load with it hers gonna be rich while explore the group discover there be indeed giant lizards also giant spiders birds rodent and good every live thing in that valley be huge russ start think maybe it isnt uranium in the grind but some other much dangerous radioactive element they it be the 50 you have to keep radiation in the plot guessing they all may start grow too if they hang around too long russe marty and lee all want to split but susan say no and she have the key to the plane so guy canst overpower woman just long enough to take the keys just keep repeat its only a movie only a movie finally they all locate a cave where it look like someone have be living in fact someone be still live there a of foot high one eye monster duncan dean parking now hand up all of you who know right away who the giant cyclops really is ah i think so from then on its a race to see if they can get back to the plane before the giant get them do they make it come now you dont expect me to spoil the ending do you there be a nice behind the scene story attach to this movie chaney biological mother cleva creighton visit to location every day to bring his lunch if it seem a little odd that a of year old man should be bring lunch by his mom consider this sr and cleva divorce under bitter condition and tell his young son that cleva be dead when jr find out the truth it create a rift between him and his father that never really closed after the death of his step momi hazel hastings in 1932 track down cleva and remain very devote to her until her death in a hollywood nurse home in 1967 the makeup for the cyclops be handle by jack young and it be very good quite convince and scary a all hecks duncan parkin also play the title role in war of the colossal beast wear a equally scary makeup design paul frees get a hefty payday for stand in a echo chamber and growl to dub the cyclops voice now forget the fact that you can see right through some of the monster and that matte line be jump all over the place after nearly of year this be still a fun movie pop some corn open up some root beer and get comfy on the sofa some saturday afternoon and enjoy this one you ll be glad you did The Cyclops 10.0 interview with the vampires the vampire chronicles aspect ratio 85 1sound formats dolby digital sdds17th century new orleans the relationship between a ancient vampire atom cruise and his bloodsucking protege brad pitta be test to destruction by a young girl kirsten dunst who challenge their establish dynamic lead to betrayal and murder doom-laden meditation on life and death and the nature of grief base on anne rices bestselling novel written a a response to the death of her beloved daughter and feature two of contemporary hollywood much recognizable star both astonishingly beautiful here a vampire and will victim remain eternally young a the world evolve around them cruise play a season killer who revel in bloodthirsty excess while pitt be a conscientious objector who balk at the prospect of drink human blood until cruise create a companion for pitt in the shape of a little girl dunst who refuse to grow old gracefully with tragic consequences scored with melancholy grace by composer elliot goldenthal and beautifully design and photograph by dante ferretti and philippe rousselot respectively the film be epic in concept and execution span the social upheaval of with and with century america and the horror of with century europe where a nest of ancient vampire led by scene-stealer antonio banders and a miscast stephen read wreak terrible revenge on that who transgress against vampire lore but for all its spectacles director neil jordan the company of wolves work from a script credit to rice herself maintain a leisurely pace and never lose sight of the characters the movie contain some beautiful transcendent passages include a breathtaking transition from with century europe to modern day america via the introduction of motion picture everything from sunrise a song of two humans to gone with the wind and superman and a incredibly move sequence in which a once-proud vampire be discover in exile lay low by his own vanity the films delicate tone be upset by a trick end which come completely out of left-field though jordan have deny any suggestion of studio interference and a with the novel the homoerotic undercurrent be mere window-dressing a unconsummated tease which the filmmakers and rice herself refuse to explore in any details lest it frighten the mainstream crowd sadly the movie be dedicate to the memory of river phoenix originally cast a the interviewer who provide one half of the films title who die of a drug overdose during pre-production his role be take by christian slater followed by queen of the damned 2002 Interview with the Vampire: The Vampire Chronicles 9.0 and they roll and they chew and they eat and eat and eat darn that space people for solve the critter problem a this be one of that tv late night movie that be totally awesome because of its creativity a course while i watch it i have no dream of gremlins and never connect the toxin reality i guess critters be gremlins without the gizmos but then again gremlins without gizmos be just plain mean and critters be just mean they kill with no reason they eat like there be no tomorrow and even the church cannot save the poor towns cattleyas far a a classic this be not but it and tremors be up there with the much imaginative and creative horror movie of the past few decades Critters 7.0 critters try to be nothing much than good entertainment and simple fun and succeed admirably at both decent acting believable characters and a engage story prove once again you dont have to spend ton of money to make a good picture Critters 7.0 at the start of critters somewhere in space crites be be bring to custody but of them escape so that hunter have to get them back now this sequence can have easily last minute in any other movie but critters doesnt waste time it take about one minutes there be no explanation what this cries be exactly who the hunter are or why there all go to earth they just do that way all the fun happen on the earth the cries come to earth nearby a farm in the middle of nowhere where else really where they attack the family live there the usual scene of the kettle eaten the silly police chief and the village idiot drunk who warn everybody this be go to happen be all throw in but the movie never lose pace and be pretty funny all around and not that gruesome either a nice 80 horror flick worth watching Critters 6.0 after several people mysteriously vanish from a south californian beach authority begin the search for whoever or whatever be responsible believing some kind of ravenous subterranean creature to be the cause of the disappearances harbour patrolman harry david huffman and ex-girlfriend catherine marianna hill begin look for the beasts lair the clever thing about this predictable early was monster movie be surely its amusing jaws-inspired tag-line just when you think it be safe to go back in the water you canst get to it but even though blood beach display very little else in the way of originality rarely rise above routine b-movie fodder theres just about enough fun to be have with it to still make it worth your while huffman and hill be forgettably bland but the presence of season character actor john saxon and burt young much than compensate for the lacklustre leads both guy give enjoyable performances young a a uncouth copper from chicago with zero tact and saxon a his tough but fair superior also worthy of mention be the lovely lena pousette who shine a marie harris sexy blond air-hostess friend with benefits the film also feature several good execute death scenes victim swallow up by the sand in convince fashion and theres some fun to be have with the goree include a would-be rapist have his junk chew off by the monster and a cascade of dismember body part tumble onto the unfortunate catherine blood beaches jump scare be about a cliched a they can get leg a screech cat leap into frame but they be still effective sadly the monster be only reveal in the films close moments and isnt all that impressive look like a giant papier-m plant quite how that thing burrow underground ill never know in a end typical of 70s 80s monster movies the creature be blow to pieces but a the close credit roll new activity under the sand suggest that the horror isnt over yet although a sequel have yet to surface out of round up to for Blood Beach 6.0 id hear bad thing about this like it be too slow confusing have too much potholing in it but after finally watch this i feel the bad dub and general stupidity of the script not to mention the great soundtrack by oliver onions carry everything through sure the end be a bite of a let down but still where else do you have a guy explain his wifes meltdown on live television a its okay- sheds just telepathic a spaceship be due to land in the sea and while wait for that a tv show interview a potholer on live television for some reason she break down a she have a vision of sort about something bad happening when the spaceship lands they find the pod empty even though the astronaut report that everything be okay meanwhile our potholer go bowl for some reason probably to introduce our characters theres our telepathic lady her boyfriend another guy yet another guy dubbed by nick alexander another guy play by michele soavi a chick and another chick not dub by nick alexander as our bunch of victim prepare to go potholing the telepathic spot a girl pick up a pulsate blue rock but be take away by the boyfriend lucky for her a the blue rock have tear off the face of the little girl you know your watch a italian film when a small kid be graphically maul by a alien creature also you know your watch a italian film when michele slavi find a similar blue rock on the grind while hers have a pee up against a building and now its time for potholing our bunch of fuds head into the grind for a while eventually settle down for the night so michele slavi can talk ll cks about write with candles the next day everyone rather stupidly split up and not for the last time result in the blue rock burst open tear a girl face off and send her down a ravine where our numpties find her face intact after a long long sequence get this girl back up the ravine one guy go back up with her and we have the long track shoot in film history a the camera pan from the guy shoe up the entire length of this girls body it take ages this pay off however you know how in alien theyve get a chest burster how about a face burster you get that here a our alien make a appearance burst out the girl face and attack the other guy cause his head to fall off onto the rest of our idiots from then on out its alien for aliens its quite confusing versus potholer a they get lose in the dark split up again and run around try to find a way out a theres some goree explode heads alien burst from bodies people be kill and a bite of a psychic battle thats not even remotely explained needless to say a couple of people escape back to the world which be strangely empty save for one shoot where theres people walk down the street and traffic and what not while strangely focus on thing ignore in other film scars drive down the street for ages bowl alleys potholing and kind of fizzle out towards the end there although i love the pov shoot through the aliens mouth alien which ism sure be a official sequel have enough extreme goree bad dub and stupid character to entertain a jaded italian splatter fan i will say that the soundtrack be great a you would expect from oliver onions Alien 2: On Earth 7.0 there be so many version of this movie float around that i have absolutely no idea what be cut from the version i saw and what wasn t all i know be that it be the recent grindhouse releasing version expect absolutely nothing from this movie other than completely amateurish nonsense in the vein of a update hershell gordon lewis i be shock to find that cannibal ferox really isnt a bad movie at all the storyline act and production value be a solid a you can expect from such a multi-lingual low budget exploitation flick especially consider the amount of outdoor location shooting and grindhouse have do a really good job with the remastering lorraine selle be great try to take the whole thing seriously while giovanni lombardo radicel chew the scenery around her with leerings bog-eyed abandon zora korova look like she wander in from the set of friday with part ii all blond curl and pert tits and suffer the consequences the whole new york subplot stink of running-time-filler and can be totally do away with the gore be minimal but effective a a blink and you ll miss it latex castration and a rather much shock breast-on-hook impalements the much criticize animal cruelty really isnt a bad a everyone try to make out a usually consist of little much than discovery channel style documentary footage of animal chase and kill each other on the few occasion in which people actively kill animals they do so quickly and efficiently and theres no sense that the animal be suffering or no much than they would in the average abattoir its interest that when animal be butcher for your view pleasure in italian exploitation movie its ban in a dozen countries but when coppola doe it far little humanely in apocalypse now its art this be my of journey into the cannibal genre and if i can get my hand on cannibal holocausts it wont be my last ferox be a fun trashy low budget exploitation fest that be far much enjoyable than some of the big-budget mainstream dross that ive have to endure constantine anyone Cannibal Ferox 7.0 professor harold monroe robert kerman aka porn star richard bollay travel into the jungle of south america to try and discover what happen to a group of three documentary film maker who have be miss now for some time after locate a primitive tribe monroe manage to strike a deal and salvage what be leave of alan gabriel yorke faye francesca ciardi and jack perry pirkanen they say there be a fine line between genius and insanity and i think in cannibal holocausts director rugger deodatto make that line a thin a possible to call this movie deprave and sick would only give it half the credit it deserve because cannibal holocausts be mean to be sick a it show how sicken our own society be but in the much morally corrupt way imaginable featuring numerous repulsive act such a a real live turtle flaying a foetus be rip from a womans body rape castration and impalement the film set about to portray the civilised documentary filmmakers a no well than the primitive cannibals even though the actor be barely competent enough to do their job it become almost enjoyable in a very sadistic way to watch them suffer at the hand of that they have wronged however from a moralistic standpoint even watch this movie be wrong i dont think this be the type of movie you either love or hate on a entertainment basis but you either agree or disagree with how it present its cases cannibal holocausts be certainly nothing short of a endurance test in view a the sense be rape by the foul imagery constantly portray within filmed on a shoe string budget with virtually no production value evident cannibal holocausts have a disturb realistic grittiness that be almost unparalleled by any other movie and a huge influence for the blair witch project almost twenty year later i feel that because the movie be so badly make and the very fact it be produce be much damn to society than the event portray within many people feel that it be nothing much than a senseless bloodbath with no redeem feature and a hypocritical storyline a and to a extent they be probably right whether the viewer appreciate or despise this movie be totally dependant on the viewer and it be unfair for anybody else to make judgement on that person base on their opinion of this movie cannibal holocausts be not about a sharp storyline great act or superb special effect though the unsimulated effect be generally good instead it be about humanity in general if you believe you can cope with violent and repulsive imagery and scene of unbelievable cruelty then go ahead and watch it but otherwise it be certainly one to avoid some people will probably find the moralise over such repulsive subject matt offensive and i canst say that i blame them however there be a message there and this movie make a extremely bold statement the question be though whether it be right to make the statement in this way from a artistic standpoint it hold no real value but remain a interest movie my rate for cannibal holocausts a Cannibal Holocaust 7.0 yes this film be ban and heavily censor in a few place for be disturbing it doe have some really good do gruesome scene but the real censorship come from the cruelty to animals lets just say this film doesnt have no animal be harm during production scroll the end credits the animal killing include a pig be shoot in the head from close range a muskrat be slit open for no reason a giant turtle be split open in a overly long scene and a monkey get his brain bash in which require two take so two monkey be kill during production these be real killing and not faked a lot of the actor on the set protest this but the show go on in fact one of the lead actor fear for his life think this may be a snuff film and may meet the same fate as much a this bother people be it really that different then buy meat in a supermarket at little it make me think the movie center around found footages of a group of documentary filmmakers the filmmakers be in south america search for a tribe of flesh-eaters hope that this documentary will win them fame and fortunes the movie be market in a way that make viewer believe all the documentary footage show in the movie be actual footage of a group that really go to south america to do a documentary some questionable act give it away and you think the blair witch project be a original idea didnt you Cannibal Holocaust 6.0 professor norman boyle paolo malcom move his wife lucy catriona maccoll and acute a-hem little blonde son giovanni frezza from new york city to a curse three-story boston house by a cemetery the dig come complete with creaky floorboards crying moaning spirits loud bangs a rabid devil bath bleed walls a sexy weird live-in babysitter mania pieroni the friendly ghost of a little girl and the murderous rotting eyeless corpse of the houses former owner dry freudstein giovanni nari who hide out in the basement and emerge only to hack people up for their blood extremely gory euro-splatter overdo a only dulci overdo it why slit someones throat once when you can do it three times theres also a impalement make that three impalements several decapitations a knife through the head a rip out throat maggot and other gruesome fx stuff to keep it hum along nicely for spaghetti splatter fans and it all end with a henry james quote just be prepare to put up with some choppy edit and bad dubbings especially grate be the dub on the little boy yikes The House by the Cemetery 6.0 this film along with city of the living dead and the beyond belong to the gate of hell trilogy by lucio fulfil the film be not part of the same story but rather share similar element and all three star the great screamers catriona maccoll this one to me be the weak of the three films i consider the beyond to be the strong a it look the well and look like it have a rather sizable budget compare to the other two city of the living dead have some good story element and be the easy to understand except that stupid ending but it lag here and there this one try to be too clever try to divert your attention here and there and try to throw a swerve because at time it almost seem like the killer be nothing much than a simple slasher killer that may even have be among the character you meet during the course of the film except the child bob who be so annoyingly voice that he be the one character you want dead much than anyone else feature within of the three thought it have the much interest ending sure it be not quite a clear a the beyond lets face it the two lead character end up in hell it also be not a fail end like in city of the living dead where the kid be suppose to have be a zombies but it never really look like it not the end in this one be strange weird and open for interpretation the story have a family move into a house in boston so the father can take up some research which will net him much money or something and really seem strange that someone can make a bundle simply rummage through a library the house they choose to live in though have a dark secret of course the father may have a dark secret too a he seem to have be in town before that babysitter seem to harbor some dark secret of her own a well meanwhile bob the couples son be not the sharp knife in the drawer but at little he know come to this house be a mistaken only because the strange girl who seem to live in a paint have warn him while see the head of a mannequin fall off and ooze blood then there be the bat attack that prompt the couple to want to leave but the realty agent get kill before she can meet them and they seem to forget they want to leave and then the father learn everything about the house by listen to a tape that doesnt really explain everything and by visit a cemetery seriously the man know that there be a dead guy live in their basement who sustain himself use blood by a tape that have a man scream crazily and a trip to a cemetery that really reveal nothing other than dry freudstein be not there then in the end you see the horrific dry freudstein who be a shock to see when i see this in the theater but doubtful anyone from today would get the same shock a they always feature him on the back of the dvd box the end be by far the much interest aspect of the film a dry freudstein be revealed he be quite a sight and when the father stab him maggot flow out of his body and that give me nightmare a a child he then kill the father a the father become incapable of take a few much stab at the good doctor and then the mother falter took the boy be seemingly rescue by the strange girl who seem to be a freudstein herself the film doe not really fit the theme of the gate of hell trilogy a there be no gate of hell opening however perhaps the gate to hell in this one be much subtle a bob be pull through a crack to seemingly be rescue and then be lead off by none other than the creepy girl and her mother who be dry freudstein wife so this one be okay at times but it doe get downright silly took that bat attack get absurd too many thing suggest this person or that person be harbor a secret that never get reveal and the downright awful dub of the child however dry freudstein look really good and the end be interesting makes me wish he be in the film much a he look well than any of the zombie or creature in the beyond or city of the living dead it be almost a shame that they keep him under wrap until the very end but it really be a shock when you do not know what be go on it be such a pity much people will not know the surprise of see a man who be a live corpses always accompany by the cry and laughter of child and fill with maggots terrifying and quite frankly it give me nightmare a a child this film just need much work during the rest of the film and a well voice for the child The House by the Cemetery 6.0 in new york dry norman boyle paolo malcom assume the research about dry freudstein of his colleague dry petersen who commit suicide after kill his mistress norman head to boston with his wife lucy boyle katherine maccoll and their son bobby giovanni frezza to live in a isolate house in the wood that belong to dry petersen bob befriend the girl mae silvia collatina that only he can see and she warn him to leave the house soon his parent hire the mysterious babysitter ann mania pieroni and creepy thing happen in the house when bobby go to the basement his parent discover the secret of the house quell villa accent al cimitero a a the house by the cemetery be a sinister horror movie by lucio fulfil the screenplay be confuse with poor development of the characters but the supernatural atmosphere be creepy and the camera-work be great the metaphoric conclusion with the soul of bob follow mae and her mother be excellent my vote be seven title brazil a casa do cemitério the house by the cemetery note on of march 2016 i see this movie again on dvd with the original language italian and subtitle in portuguese The House by the Cemetery 7.0 of getting reception for new york city radio station be easy than youd think on the island of matool of molotov cocktail be easy to ignites but the flame they produce rarely stay light if youre throw much than one at a time of dry menard like his booze and laying fully clothed in the sun in that order of if a shark with no tooth decide to get into a ridiculous scuffle with a underwater zombies chance be its go to end in a drawn of nyc harbor patrol boat often fly french flags of the perfect remedy for have a bust ankle while be chase by legion of undead assailant be a good sole fashion jungle bakeout session of a dozen zombie shuffle into a door will eventually and without any explanation smash any barricaded of apparently there be many different way to scuba diva ive yet to try of hospitals that look like church be often good stock in the ammo department why not splinters make eyeball go ouch 11 the simple act of bribe a cabbie equal instant zombie adventure you canst account for personal taste because its all subjective so ism go to steer clear of any and all this movie be great and you suck if you dont like it and ill kick you twice in the rear if you do and um your momma and your dog and herems of reason why i love be a film student silliness that seem to be a iadb staples what i will say be that this film be amazing the zombie be great looking the plot be ridiculous and full of holes the music be stun in its elevator- esqueness and ian mccullough composer be the stuff that dream be make of i read somewhere on iadb that this film wouldn t gain any convert to the genre but i strongly disagree this film firmly cement my lifelong love of all thing horror and is in my humble and worthless opinion much likely the great film ever make so take that mom and dad save the world Zombie 10.0 the heavy-handed criticism level at this film by certain reviewer be mostly irrelevant this film have merit far-beyond be a simple freddy krueger rip-off and be not i suspect intend to be that scary its british humour of the high order and along with this come the sad inevitability that it will alienate many international viewers the direction and act is for the much part spot-on dont confuse this with the crude and meaningless no-talent b-movie drivel that have come to typify the genre sure its low budget and its certainly shallow in the plot department but the film be all the much charm for such shortcomings with a brilliantly hilarious and understate script and production value which clearly display a labour of love on the filmmakers part i sincerely urge anyone who have a taste for british humour to investigate if like many of the critic here you dont get it then you simply wont but if you do you will absolutely adore this film Funny Man 9.0 el nuque maldito suffer from several alternate titles perhaps distributor fear a stigma if it be out in the open about be the a of the blind dead movies amando ossorio delight that that follow the blind dead series with a a installment i have to admit that pesky templars seem to end up just about everywhere by the time youve make it through the a installment this review deal with the cut version a i have be unable to locate a uncut version a much a i would like to find it a special effect be adequate although the ghost ship that be the templars residence this time be severely lacking the set themselves be decidedly creepy and evocative given much harden viewer will not find themselves terrify by the lumber skeleton and may good ridicule the slow move protagonist in this film by todays horror standard the templars be not the much threaten but make up for their snail pace by just be patiently tenacious dubbing be a disaster in this film all foreign horror film for the 70 and 80 get the royal raspberry treatment when it come to dubbings the line be deliver dead pan and generally seem much concern with match lip movement than convey plot points anyone familiar with the blind dead mythos will much likely figure out theres much go on within the ship than just the templars randomly killing i assume the sacrifice scene end up chop out of the release i watched the film have its weak point a good a strong none of the character be particularly likeable although all the female be decidedly attractive apparently ossorio decide to spice the weakness of the film up by distract the male audience with eye-candy the plastic ghost ship in the bathtub may cause humorous howl from the much fx sensitive a the film be atmospheric and convey dread with a even hand the camera work be excellent throughout more than anything else the film be purely hamstring by budgetary constraints the confine space of the galleon apparently reduce the budget but not near enough to cover all the bases a if you enjoy amando ossorio previous blind dead film this one should not disappoint others may find the film too slow move and come away disappointed Horror of the Zombies 7.0 this film be my of introduction to the severely underrate blind dead mythos despite their age they stand a some of the much hauntingly eerie and frighten horror film of all time the film center for its of half around two model we shall call them of and lose at sea on their way to a assignment who come across a old galleons of go aboard of too frighten to come aboard and disappears after a long contemplation of decide to face her fear and board the decrepit vessels naturally of doe not answer her calls and she assume it be simply a cruel joke and camp out in one of the ships rooms eventually she be awaken to a noise outside and become confront with the ships long dead crow of with century templar knights they slowly approach extend their skeletal arms of course of attempt to escape however her attempt be futile a she be catch and almost gloriously in a sickeningly sadistic way lift onto the shoulder of the knight and carry off to certain death i suppose it be hard to look at such film objectively without wes cravens cleverly write satire scream come to mind as the a model try feebly to escape the malicious templars the line always run up the stair when she should be run out the front door reverberate in my head and i fight the urge to laugh a i be see this principle in action then i realize just how much principle such a that address in scream fail to work outside the other wes craven films the fact of the matt is of do try the front door the boat but the boat have vanished so at that point all she can do be run feebly up the stairs it be easy for us the viewer to make such remark at such situation consider that we be not there on that galleon surround by bloodthirsty templars it be a simple fact of human nature that in situation of high stress coherent think become marbled a raw instinct and the will to survive take over make even the much futile escape route seem like open door to haven of unrivaled safety so to all that who have lambaste such work of art a this for such reason a that present in scream try to tell yourself to run out the front door instead of run up the stair whenever youre be attack by a derange killer for killers alive or undead in conclusion the blind dead series stand a the epitome of the horror film for their ability to make the sly satirical remark of scream fan null and void in the face of true danger Horror of the Zombies 8.0 the blind dead leave the sanctuary of the templars crumble monastery for the a in the series the float fright-fest horror of the zombies aka the ghost galleon if there be ever a film thats root firmly in the decade from which it sprung its this one and saturday night fever but this ones from 1974 pre-disco and post-taste if weave all forget just how senselessly ugly seventies fashion were the opener will bring it all kick and scream back to us its at a swim-wear photo shoot where top model noemi be look for her miss girlfriend sheds take to a secret location by photo-frau lillian maria perschy where the great mystery be reveal a her girlfriend cathy and another model be out in the middle of the ocean a part of a elaborate publicity stunt to promote a weather-controlled boat cook up by cocky financier howard tucker jack taylor unfortunately for the girls the fog roll in although be the seventies everyone be huff away on cigarette and cigars so how would you noticed and a ancient galleons seemingly abandon with rag for sails float into view the girl radio the news of the ghost galleon back to based the resident token egghead professor gruber go a little strange and despite his rigorous scientific training suggest the legendary ghost galleon be from a another dimension outside of time and space clearly a huge fan of eric von daniken gruber seem to have read one too many supermarket paperback on the bermuda triangle but like i said its the seventies a we all read von daniken the girls be here he reasons but theyre not and they wont be come back nothing be real a the ship the fog you or i a philosophical paradox for sure but the real mystery be this how ossorio stretch such a flimsy premise to feature length truly defy all scientific explanations of course they all go look for the galleon and the miss bikinis or maybe howard tucker want his speedboat back cue much fog and the resurrect skeleton of the knights templar rise from their on-board coffins we soon discover on a with century boat there really be nowhere to run or you can swim but wait for the water-logged end to drown that theory preposterous be the key word here a ossorio ask a great deal of his viewer to suspend belief when what amount to little much than chicken bone drag a fully grow woman down a flight of stair to her complete and utter dismemberment horror of the zombies feature the two much popular star in spanish horror austrian-born maria perschy and american expatriate jack taylor who star in a string of no-budget shocker for jess franco and decide he couldnt go home ever again and yet horror of the zombies be the little successful of the blind dead quartet perhaps the film stray too far from the formula although how can you go wrong girl in bikini on a boat with zombies despite its limit scope micro-cast and tendency to be stage-bound its still a entertain exercise in tension atmospheric and illogics and the empty eye socket of the knights templar be always a welcome nightfall i can say now be welcome aboard for a cruise into another dimension of of terror of with the 1974 horror of the zombies Horror of the Zombies 7.0 what happen when you combine the lower-echelon of actors guild with what appear to be the masterful effect of a high school edit suite you get this oh-so-very-bad film from the outset you know its bad and the producer dont seem to want to hide from this the head bounce around like basketball be fab and the camera technique be non-existent one in particular take the cake in which a cctv camera capture the murder in a strip joint watching the replay of the murders youd expect the security cameras angle to be used no way the sequence be just a repeat of the murder from all different camera angles only in black-and-white get me start on the fact our skeleton pirates white skin can be see in the final sequence thar this blows Jolly Roger: Massacre at Cutter's Cove 7.0 ok for that who dont know who peter bark is but have see this film he be the strange little boy who look like a man and actually be a adult too- we hope every time i get down and depress and want to end it all i put this movie in and i be remind of how good life be when film like burial ground nights of terror be available to me so peter bark if you be out there and be read this thank you watching you suckle the breast of your on screen mother be absolutely divine come on everyone together peter bark peter bark peter bark there be that who will totally get it and all other can go rend the grudge part me ism just a burial ground kind of guy Burial Ground: The Nights of Terror 10.0 a movie of such bombastic ineptitude its not unlike watch sam taimi try to direct a movie while at the same time be gang beat by a group with electric cattle prod until hers stupid and even then thats probably give bianchi much credit than he deserve for this film burial ground also go down a the only live dead movie where the zombie be much intelligent than the protagonist although nightmare city by umberto lenzi come close certain consideration must be give to bianchi on this film however he doesnt flub the live dead film formula like the modern counterpart director that try ineffectively to make live dead film this days he be confident enough in the makeup fx to film the zombie in broad daylight in this case the dvd reissue that clean the film up didnt do the movie any favor a the previously murky vhs release partially mask some of the much pathetic zombie fx the plot fall on its face in much case and can be a case example of choice a protagonist in a horror film should never make the character just continually make so many wrong choice you may find yourself root for the zombies then again if the character make the right choice the movie would have be over in twenty-five minutes of course all this horrible choice have consequence in that character do drop like fly throughout the film and meet one messy end after the other the death scene be creative and bianchi at little stretch his imagination a little to give some interest death to the character in the film ludicrous a some of them may be as usual for standard b-movie fare the dub be weak at best a insult to eardrum at worst dialogue suffer a similar fate in this case it just stretch between illogical silly or plain sleazy the dub doesnt help the representation of the characters intelligence either the graphic violence be excessive in almost every cases a plus for that seek grue and crimson splashes the well actor in the film by far be peter bark who be a twenty thirty something that play the role of a ten-year-old boy this be due to child labor law in italy at the time and peter bark shine in his role of the oedipal boy it add so many level of sleaziness to the film bianchi be to be applaud for tackle this difficult social issue the climax of the film be a guarantee disappointment a the film feel much like it either just run out of budget and close shop or bianchi just run out of ideas the end be not unlike read a book only to find out someone rip out the last ten or fifteen pages it end that abruptly the pace of the film up to the end be decent be that the character be one step above a amoeba on the evolutionary scale we arent bother by such thing a characterization or advancement of personality from the moment the dead rise its just a series of encounter where the protagonist make horrible judgment call and pay the price for it if anything the breakneck pace of the film keep a person entertain rather than bog down seriously if the character be not fornicate they be battle the live dead it at little keep the action one way or another flowing if you enjoy the italian live dead genre burial ground will not disappoint other be probably well turn away Burial Ground: The Nights of Terror 10.0 wowf this movie be awesome i love it burial ground be over a hour of the well non-stop zombie action ive ever seen theres a brief attack at the very begin on some professor a few obligatory sex scene in which we meet the main characters and then before you know it the zombie be attack in full force no explanation be give for the zombies but none be needed this movie be all about the gore effects the zombie be very cool-looking and i especially like the repeat skull-crushing effect do to them these zombie be tough took able to throw knives use a batter ram and even operate power tools id sure hate to go up against a horde of the undead with that level of technical ability fortunately unlike many other character in zombie movies the good guy here arent stupid they know to go for the head and do so every time the whole subplot of the oedipal son play by a midget be a bite creepy and end very gruesomely but i didnt let that distract me from the real focus burial ground obviously borrow from zombi even have the same make-up artist from the dulci classic however i must say i like burial ground much than zombi faster pace i barely notice the of minute run time much zombie for your bucks and creepy set in the abandon mansion and nearby abbey Burial Ground: The Nights of Terror 10.0 i canst explain why i pick up the dvds dog soldiers off the video store shelf a the box art consist of poorly draw wolf and there be a tag line that read from the producer of hellraiser a normally this combination would have me wipe down the cover in a attempt to remove any evidence that my fingerprint be interest in pursue the rental a but somehow dog soldiers work its way into the saturday night rental pile and once all other option be exhausted there i was reluctantly putt the dvd into the player and hope that there would be enough of anything to entertain me until bedtime dog soldiers open in scotland where two love strike camper be attack by some creature in the middle of the night a cut ahead a few week and we be introduce to a group of army trainee that be leave in the wood a part of a exercise against a team of special forces a lead by sergeant wells sean pertwee and motivate by private cooper kevin mckidd the squad be surprise upon their of nightfall in the wild by a mutilate cow that be thrust into their campsites a following the bloody trail of the animal they be soon lead to the massacre remain of the elite special forces team that be station in the same region a evidence of a struggle be everywhere but no body be immediately evident except for the ramblings of the sole survivor captain ryan played by liam cunningham who be severely injure during the night a within moments the group be besiege by wolf- like creature and run for their live towards the tree line where they be fortunate enough to cross path with a young woman that take the remain soldier to a remote farm house a as night progresses onslaught upon onslaught be counter by the soldier a they fight to keep the werewolf out of their new fortress but some one by one they fall victim to the creature hunger dog soldiers be one of that rare horror movie that actually works a the creature effect be well than much big budget werewolf movie states side and there be a few genuine good scare and tension a mount by writer director neil marshall a what i also appreciate from the film be its sense of humour or rather its lack of it a in todays horror genre we be subject to countless ‘freddyisms or inside joke that make the scream series such a box- office bonanza a however dog soldiers check its humour at the door and focus on the character and claustrophobic feel of be trap in a surround country house a actually the only chuckle you will get in this film will be mix with extreme horror and goree a it occur in a scene where the family dog pull on the intestine of the live sergeant wells and he fight with the dog for his innards while the troop fight off a wave of attack by the wolf at the front door a you ll find yourself smile and then grotesquely repulse by the same scene that put a smile in your cheeks a i be not say that dog soldiers be perfect a not by any means a but horror film have never really get any well over the years a hollywood still try to recapture such terror a identify in the exorcist or alien however dog soldiers will entertain and isnt that all we be look for Dog Soldiers 7.0 when i get this movie i be expect cheesy american movie about soldier against people in rubber wolf masks how much much wrong can i have been this movie be brilliant and a refresh change from all the hollywood junk about killer doll and such by the middle of the movie you actually care whether the character get out or not the scene in this film be good film and the location be absolutely breath taking stick around for the credit on this one boy and girls you ll definitely find it interesting the last time i be this impress with a werewolf movie be silver bullet i would even put this film with an american werewolf in london it have some excellent acting character development and if you see this keep your eye on pvt spooners you ll remember him come the end of the movie i would give this flick four star for sure Dog Soldiers 9.0 i run across this several year ago while channel surf on a sunday afternoon though it be obviously a cheesy tv movie from the 70s the direction and score be good do enough that it grab my attention and indeed i be hook and have to watch it through to the end i recently get the opportunity to buy a foreign dvd of this film loops didnt notice a domestic one have finally come out a couple month prior and be very please to be able to watch it again and in its entirety i dont wholly understand the phenomenon but somehow the was seem to have a lock on horror movie that be actually scary the decade prior to the was produce some beautifully shoot film and the bulk of our endure horror icons but be they actually scary not not very likewise in the year since the was weave get horror movie that be cooler much exciting have much well production value and sophisticate special effects be much fun funnier have effective jump moments and some very creative use of goree but again they arent really scary theres just something about the atmosphere of the was horror films the grainy film quality the spookily dark scene unilluminated by vast high-tech light rigs the edge of dreamlands mute quality of the dialogue and the weird and stridently end scores the odd sense of unease and ugliness permeate everything everything that work to undermine much movie of the 70s in the case of horror work in its favor specifically in this film the quiet intense shot of the devil dog stare people down be fairly unnerving so much much effective than if they have go the much obvious route of have the dog be growling slavering and overtly hostile cujo the filmmakers wisely save that for when the dog appear in its full-on supernatural form the effect when that occurs while unsophisticated by todays standards literally give me chills the bizarre vaguely-defined him not quite sure what ism look at look intuitively strike me a much like how a real supernatural vision would be rather than the hyper- real crystal clear optical printer digital compositor confection of latter-day horror films while the human character in this film be not a satisfyingly render a their nemesis or the world they inhabit the actor all do a decent job the pair of the brother and sister from the twitch mountains movie as yes brother and sister be a rather cheesy bite of stunt casting but they do fine yvette milieux always manage to be entertain if unspectacular richard crena earn much and much empathy from the audience a the film progresses his self-doubt a he wonder whether his family alienness be truly due to a supernatural plot or whether hers merely succumb to paranoid schizophrenia be pretty good handled though his think that get a routine physical may provide a explanation for what hers be experience be absurd in its naïveté the movies the-end-question-mark type end be one of the only one ive see that doesnt feel like a cheap gimmicks and actually make me think about the choice this character would be face with next and what theyd be likely to do and how theyd feel about it detractors of this film may say its merely a feature-length vehicle for some neat glow retina shots but hey you can say the same thing about blade runners - Devil Dog: The Hound of Hell 7.0 ism rather pleasantly surprise after see ghost ship a i expect it to be a lot sillier much dumb and inferior than it actually is still a long way from be a good horror film but a step in the right direction to say the least cast and crow pay attention to build up a horrify atmosphere instead of attack the audience with lame and violent kill scenes thats a effort that get my appreciation the vicious open sequence be professional horror of a scene that grab you by the throat and demand your complete attention and curiosity for the rest of the movie the high quality level be hold up a little while long but unfortunately it lose his grip during the a half for a long a the mysterious desert ship be portray a a complete riddle the film be fascinating interest and beautifully shot as soon a a few plot-aspects be clarified ghost ship turn into a mediocre and predictable thriller a ism convince that with a slightly much intelligent script this can have become one of the well horror-thrillers since the new millennium now its only regard a a reasonable and decent effort that lack a bite of talent nonetheless the setting and decors make it worth watching the graphic decoration arent overused so it remain a beautiful experience to observe at little once gabriel byrne be act far below his normal standard and yet hers still great all the other cast- members be pretty uninspired and forgettable id describe ghost ship a a nice waste of time if you have the opportunity i advise you to search for a 80 horror title call death ship a a terrific piece of trash of which ghost ship borrow a lot of ideas Ghost Ship 6.0 amazingly entertain and completely stupid italian horror a pop group purchase a mysterious unpublished paganini melody from a mysterious old man turns out its the evil melody he write to sell his soul to satan or something anyway when the band play their soft-rock-meets- synth-pop masterpiece paganini horror its fate that bad things will happens along come paganini in a cool mask with a gold switchblade violin and some infernal powers to mess with the group and their manager because well because he feel like it or maybe because he really hate 80s euro pop which be understandable really then it turn out that the whole rigmarole have nothing to do with the group in a surprise end which be partly surprise because of how little sense it make even for a italian horror flick of the 80s the amazingly was music and costume be rival only by the dialogue and dub in term of entertainment value so while paganini horror may not be the fine of horror film its certainly among the funnest ok so not much happens really a some run around some screaming some killing all free from the constraint of logic and storytelling a and its both well-paced and fine to look at while some of the gore effect be superb and the other are of course superbly entertaining the score be well than the bands song allow the viewer to hope for took and the small rather mismatch cast be somehow perfect for this sublime nonsense the male drummer and video director be both completely ineffectual characters the former play with some panache by pascal persian the latter portray in a flagrantly comedic style by pietro genuardi a but this movies all about the women and its the female cast who dominate from start to finish bonus two of the girl in the band be pretty hot maria cristina mastrangeli and michele klippstein while the other one jasmine maimon a singer bandleader kate overact with astonish vigour and luana ravegnini a their manager less hot than the hot girls but pretty and a well actor than ms maimone alternate hilariously between be a hard- nosed boss-bitch and scream along with the rest of the girls the aforementioned twist end be incredible and make me marvel once much at the talent of the films two big horror-genre names top-billed daria niccolodi and guest star donald pleasance for deliver such idiotic line with such bravura seriousness pleasance be so gleefully sinister during his short screen time that his character come across much charm than chill not surprise really niccolodi act be a solid a every and sheds sometimes lose amongst the screaming overact girl but it work because its her character who deliver a lot of the important lines and sheds utterly pivotal to the greatness of the films finalé for all the wrong reasons this be a classic of italian horror Paganini Horror 7.0 heading into the amazons a documentary team study a long-lost tribe run afoul of a hunter search for a legendary anaconda and be force to help him track the deadly creature this be a decent and quite enjoyable creature features one of the well feature here be the rather impressive pace that run throughout here a this one run along pretty quickly with the introduction get start immediately pick up the hunter be right after that and the snake attack carry the action throughout the rest of the film those action scene be all quite fun from the open poacher attack the search on the abandon boat and the of battle with the creature a they try to wrangle the water-bound snake from their boat only for the result chaos it its escape to set the stage for its late scenes that be the films well part which be the final half hour a theres a large amount of ambush and attack here from the trap at the waterfall where theres the fun water-chase with the creature come after the swimmer in the water try to dislodge the boat before finally get to the spectacular waterfall confrontation catch the flee victim in mid-air before crash into the boat below to the great fun of the big chase through the abandon warehouses from the hunters trap and eventual escape to run through the different level with the creature continually crash through the surrounding and finally get rid of the massive snake in a fiery blast this pack a large amount of action suspense and rather impressive moment into it along with the enjoyable animatronic special effect for the snake this be much than enough to hold off the few flaw in here one of the big flaw be the fact that the of half here play off a much of a adventure film about the exploration of the amazon who stumble upon a suspicious snake-hunter who alter their course for his own needs none of this be handle with the sense of urgency in get the snake out in a film about a giant killer snake a it move the film along the needle detour simply to get the point across arent all that tie into the exploit of a creature features theres also the films tendency to go a little overboard with the special effect here a the use of the cgi snake isnt nearly a convince a the puppets act way too slick and have very little depth to it a the perform action during this scene give away its origins its not enough to hold this one down but the other problem here be where the flaw are rated pg-13 violence graphic language and some mild animal deaths Anaconda 8.0 its a stupid b-movie with enough quality to fly by and enough camp charm to get away with such cinematic crimes the cast play it straight apart from vight ism pretty sure he be drink during the shooting come out with a inexplicable accent and a look reminiscent of hannibal lectern its ridiculous fun with hokey cgi and animatronics the animatronics be great and make me miss the 90s its a big snake shape tube and go from slow robotic motions to super fast cgi cube and hyde manage some at times adorable dialogue voight presence also unite the rest of the cast and each character get their own heroic captain moment fun fill and just plain bad i love it Anaconda 6.0 before there be snakes on a plane there be anaconda a hollywood b-movie from the late 90 that be a notorious for its mix bag of actor a it be for the gruesome snake that populate its plot in the film a group of documentary film-makers travel through the amazon jungle pick up a mysterious man who inadvertently become their tour-guide on a unexpected detour it seem the man be totally crazy and intend to capture one of the amazonas much notorious and deadly inhabitants the anaconda despite some bad look cgi-snakes not bad in a good way and a horribly mis-matched cast j-lo and eric stolen really anaconda be simply a good dumb time without a doubt its a utterly ridiculous film that can be insult to your intelligence but thankfully it know not to overstay its welcome and the of minute it take up make for a harmless and amuse ride ice cube play ice cube a he always does while j-lo turn in one of her much likable roles you ll also catch owen wilson in one of his early roles and john vight be a pleasure to watch a he eat up the scenery but face it this movie be about snakes and the titular character be the true star here surely the actor on hand have do much worse and a far a horror about snakes you can pick up much wrong yourself if you enjoy watch giant snake who inexplicably scream stalk rappers pop-stars and angelina jolies dad this be the flick for you those seek genuine thrills however may find the film come up a bite short Anaconda 6.0 there be two way to see this film and rate it as a movie that turn out to be much wrong than it intend to be in which case its obvious that a actor like jon vight would overact to try and make it look like it be intend to be bad the special fix intend or not be do with computer animation and are in that category the wrong ive see yet a snake that move like a cartoon if it be the movieproducers intention to make a bad movie they would have do well to use the old fashion special fix with a rubber prop as a movie that was indeed intend to be a b-movie however since the director luis alosa previously only make serious action movie like the specialist and sniper i have to seriously doubt it be his intension to make a tongue-in-cheek movie if it was his intention he nearly succeed in make a fun bad movie personally there be only two thing in this movie i enjoyed the voluptuous jennifer lopez and the magnificently bad performance of jon vight who with just the facial expression bring a smile to your face Anaconda 6.0 welcome to the citizen kane of sci-fi channel movies not that minotaur be faultless its just competent on so many much level than your average sci fi-schlock fest that it appear great in comparison we have some actual act go on granted there be some great scenery chewing but its on a grand scale there be some good effects there be some epic look landscape and the occasional set and the script and direction be actually acceptable on the down side theres the same cgi overkill that seem to haunt every sci fi monster flick thankfully this be keep to a minimum were also stick in the same labyrinth cave set for way too long and every so often i couldnt help feel that plot point be be crib from a terry jones film but this be minor quibbles theres some attempt here to breathe life into the monster on the loose genre not bad at all Minotaur 7.0 i have never hear of this movie and be a bite hesitant about watch it think that this would be just another movie load down with lame digital special effects i decide id record it on my der while i be at work and watch it the next day ive actually never be this glad to be wrong about a movie i be happy to see a monster movie that use good old fashion real effect instead of rely only on digital effects of course the effect dont really make up for the predictability of the film it be just a little too easy to figure out which character would survive until the end and which one would end up dead overall not a totally awful movie but not one id pay money to see Snow Beast 7.0 i like this make for tv movie about a cryogenetically freeze body be bring back to life beck play the cold-hearted lad who die ten year ago and be freeze by his mother wait for a chance for science to bring him back via new medical technology his cylinder go on the fritz and action must be take quickly to see if science have the answer now that it do not have ten year earlier beck be revive but not the same person it seem that whilst his body be live again a chasm only fill the void vacate by his souls departure beck come back with no regard for human and animal life and only want to appease whatever appetite he may have at that very moment now this be some pretty absurd stuff i grant you but director wes craven and some good act save it from be terrible in fact it doe get one think about some things the act be uniformly good with beck do a good job and oscar winner beatrice straight and paul sordino a a cleric really bring home the bacon they both do stellar job with this material and give it some much need credibility sordino be very convince in his role some good character act by dick oneill and anne seymour add to the mix and the addition of beautiful jill schooled doesnt hurt either kudos also to craven for not go overboard a many other may be apt to do beck be a man with no supernatural ability per se but rather just soulless be his approach to another chance to live Chiller 6.0 corporate exec miles creighton becky dies and be cryogenically freeze in the hope that he can be revived ten year later the procedure be a success and miles return -- without his souls you have director wes cravens writer j do feigelson dark night of the scarecrow special effect from stan winston and a incredible actress with jill schoelen how can you go wrong one suspect the film be well than generally give credit for but few have actually see it in a format that actually allow the full effect of the film to be felt there be absolutely terrible dvd quality both picture and sound on the digiview entertainment version it appear the film fall into the public domain most likely this version be transfer from a a or a generation vhs it doe not do justice to the film and if a well version exists get that one instead Chiller 6.0 very funny movie by roger norman about a hapless busboy who work in a fifty coffee shop and want much than anything to be accept by the beatnik in-crowd he be prevent from do so however by his complete lack of artistic talent not that much of the regular be particularly gift either after accidentally kill his landlady cat rigor mortis set in immediately apparently he decide the well way to cover up his crime be to cover the critter with clay and pass it off a avant-garde art his hep cat customer be blow away walter be delight to be accept at last only to hold their interest he have to keep make sculpture of the film be not particularly scary and probably wasnt mean to be but it work very good a a horror spoof and amusing if occasionally heavy handed satire on beatnik culture and the modern art scene although consider that today rotten meat and crucifix immerse in urine be take seriously a art its a though reality have catch up with and outdo satire the beard poet maxwell who write of cotton gong and the sour cream of circumstance is a other have commented a dead-on parody of the type of writer who to this day can be find at cafe readings the be strangely likable thought maybe because he be so genuinely enthusiastic about his pretentious poetry and for some reason i canst quite put my finger on i think the final scene where maxwell lead a bunch of other earnest beatnik in a chase after a now completely craze walter one of the funny episode ive ever see in a movie if youve never see a norman film before this be a good place to start A Bucket of Blood 8.0 many people have make the connection to the friday the with series with sleepaway camp for obvious reasons a they both come out within a few year of each other and all the action take place at a summer camp a however the primary theme in the friday the with series be vengeance a vengeance of a mother for the neglect and drown of her son and then vengeance by the son for the murder of his mother a of course vengeance be also key to all the murder in sleepaway camp but for entirely different motivations a the murder of sleepaway camp come from sexual repression be pick on and sexual molestations a all this derive from feeling of shame and embarrassment which be different than the motivation of friday the 13th a well comparison for sleepaway camp would be psychol a first let me say that in no one be the two comparable psycho be a masterpiece of story directing acting and camera work sleepaway camp be none of these a but they share similar thematic characteristics a norman bates suffer a oedipal complex but when his mother take a new lover he kill her and suffer tremendously a he be overwhelm by guilt and shame and bring her back to life in his mind a but whenever he see a attractive woman he feel guilty and shameful and murder them because his mother be jealous for his affection a sleepaway camp be a much bizarre twist on this themes angels who turn out to be a boy father and sister be both kill in a boat accident a but unlike jason angela doe not wreck havoc on the camp for that deaths a instead angela be adopt by her dement aunt and force to become a girl because the aunt already have a son ricky a there be two scene in which ism guess a young ricky and angela witness two men presumably rickets father and his lover have sex a these scene be follow by a scene in which suggest a sort of sexual molestation between young ricky and young angela a these two pivotal event greatly affect angela and cause a sexual crisis within him her a what begin the rampage at camp arawak be another sexual molestation perform by the cook on angela this act set her him off the deep end and she he begin to kill anyone who hurt her him in any way a then to complicate matter she begin to have a relationship with paula a angela have a gender identity crisis and cannot decide whether she he be attract to paul or to other women a it probably doesnt help her that she be surround by men in booty short and half shorts who would be mistake for flamboyantly gay in todays culture a so she decide to have a relationship with paul and seem happy but he want more to feel her breasts which of course she doesnt have a angela finally lose all control when she catch paul cheat on her with judy a she brutally murder judy by rape her with a curl iron a then she go berserk and kill four young child in their sleep bags a i think they kick sand at her a then she decide to reveal her secret to paula and she doe and promptly decapitate him a finally in the creepy scene that i never see come she make a crazy face with a gape open mouth ax in hand completely naked and breathe heavily make slight animalistic noises a this facial expression be comparable to one that norman bates make dress a the mother at the end of psychol a the sister of marion be in the basement find the skeleton of the mother and then turn to see norman dress a the mother make a very similar crazy expression a so in conclusion psycho be a much much accurate comparison because both involve character who be sexual confused be man who dress a women and kill when their sexual identities come into crisis a i do not think sleepaway camp be a great movie but have it well act and special effect it can be it be a thoroughly rich text a the reason many people have respond to the ending which i find shock and disturb and will unfortunately never leave me be because it play on deeply disturb psychological event in peoples lives a and for that matt i think it be much scary than a friday the with or nightmare on elm street which be basically about vengeance for the murder of a person Sleepaway Camp 6.0 horror film seem the easy way to make a quick buck in the 80 a there be a abundance of them that grace video a i dont think half of them actually make it to the big screen a you can add sleepaway camp to that list a this be a typical scary film a it have its moment and it be scary in some parts a it have some nice humour especially when they play camp joke on each other a but have say all that this movie be a good a it be and its not too bad because the mother in this film be creepy than mrs bates and she actually make you want to kill her a but the two part that i will never forget be image that be firmly plant in my brain especially the part of it that store nasty horror element in it a the of be the death by curl iron a it be so horrific that it bother me so much that i have to cover my eye the a time i see it a it be quite graphics not because of what they show but because you know how nasty it is but the one thing that will stay with me and probably anyone else that have see this film be the very end a that last shoot be so horrific so way out of leave field that you never see it coming a it just hit you and then it ends a it have a power of its own a and judge by the comment on here from other users they feel the same way a this be a film absolutely worth check out Sleepaway Camp 8.0 in some strange way i see this a caddyshack friday the 13th scary movie half-baked all mix in a cauldron with the kentucky fried movie stir up the mix a you have over-the-top privilege teensy a scheme old man the old mentor type character a reclusive accident survivor and the pothead lead character all intertwine in this ridiculous parody of old-school horror and humor a the bleed be comical and over the top very much like what youd see in monty python which make the killing satirical a there be some good old-fashioned female scream that you be so use to see in the old school horror movies a you can see a lot of influence in this film a if you like scary movie you ll probably find yourself laugh at this one took The Greenskeeper 7.0 what save this film be that the tone be just right funny and laidback and tongue in cheeks no cure for cancer just a groovy goodtime a the actor be all comfortable in front of the camera especially the lead actor who just stroll through his scene with a be there do that attitude that be a refresh change from the furrow brow method that pass for act this days the screenplay be funny and lean bad dialogue be not a detriment here the six be of the pump blood from under the weapon variety but some be very creative and funny their unrealistic quality add to the films charm all the bad point of this film work for it in the long run the inane conclusion to the inane plot fit because the filmmakers know that they be make a spoofs the film do seem very static and some scene meander to pad the film out but this be common in a low budget movie the trailer be mislead however john rocker fan will be disappoint when they find that he be only in the movie for five minutes the filmmakers acknowledge this in the screenplays it be part of the joke so i can call no foul on it overall a fine horror spoof of the slasher film i grow up with with a refresh choice for lead actor interest kills and a lay back feel that make it easy to like The Greenskeeper 6.0 after dentist ice-cream man plumber repairman and so on at last even a greenskeeper get the spotlight a slasher killer numb 600 and so in this so bad and so stupid be fun variation on the slasher theme it be worth a rental to get a few laugh for the really bad joke and the bad special effect that be inside The Greenskeeper 6.0 my rate of course only apply to the sort of people whole decide that they like this movie even before they watch it like me for anyone else this movie be a total zero evils of the night have some alien seek human blood a the key to eternal life and what luck theres a bunch of horny teenager camp out near a lake when i see the box in movie madness it mainly catch my eye due to the cast of tina louise after all what man wouldnt want to be strand on a island with ginger grant anyway here she play one of the aliens and julie catwoman newman play another as for the horny teensy theyre the kind of character who horny teen be suppose to be in horror flicks the boy be a bunch of sex- starved goof-offs and the girl all have giant breasts will your sex drive get go while watch evils of the night let me put it this way aside from make one think about ginger grant probably a quarter to a a of the movie show people have sex and that girl be hot hubba hubba some people may think that this kind of movie be completely worthless but i must disagree worthless in my opinion mean that it pretend to be important but doesnt actually amount to anything this movie doesnt pretend to be anything but nice silly fun cool Evils of the Night 10.0 if this reviews correspond rate be base on technical prowess or filmmaking story quality it would naturally be low indeed but it supply a substantial amount of entertainment value this be cheeseball crud at its finest while on one hand this viewer do feel bad for the veteran actor involve more to the point its sad that this be neville brands final film they help to make this fun evils of the night be tacky its trashy and its downright silly the plot have a team of alien dry kolmar john carradine dry parma julie newmar and cora otina louise among them arrive on earth they manipulate two ceaselessly stupid and sleazy garage mechanics kurt mrs brandy and fred waldo rays into abduct a many of the local airhead oversexed college student a possible to be use in biological experiments since the victim here be so utterly pathetic they sure dont do a very good job of try to save their own worthless assess one may end up root for the antagonist by default add to this mix some painfully loud and peppy pop tunes a respectable amount of female nudity and the fumble direction of mohammed mardi rustam and you get fromage writ large a cheap genre item thats pretty hard to resist custom have work a a producer of was favourite such a psychic killer and tobe hoopers beaten alive and this be his only feature length direct credit on a motion picture newmar and louise look quite good a do many of their young co-stars carradine may have appear in a lot of junk unworthy of his talent over the years but the fact remain that even in stuff like this he never seem to phone it in his performance be the much fun buffs will note that two of the young cast members karrie emerson and tony o dell also work together subsequently in chopping mall eight out of Evils of the Night 8.0 kolmar the ubiquitous john carradine look very wear and wizened parma leggy eyeful julie newmark batwoman on batman and cora a haggard tina louise ginger on gilligan island be a trio of evil alien who need the blood of young folk so they can make a youth serum and prolong their lives the wicked extraterrestrial hire bumble drunken lout mechanic fred an outrageously hammy aldo rays and kurt an equally histrionic neville brand in his ignominious final film role to abduct idiotic libidinous teenager for their nefarious experiments clumsily direct by mardi custom who also co-wrote the mindless trashy script with tacky far from special effects a corny generic ooga-booga spooky score by robert of ragland plenty of leer gratuitous nudity a plod pace incredibly moronic and unappealing young imperil protagonist chopping mall victim tony odell and karrie emerson meet similar grim fate here plain murky cinematography by don stern sleazy soft-core sex scene popular porn star amber lynn and jerry butler pop up in minor roles a meander narrative laughably lousy dialogue keep your hand off her you scum bouncy pop-rock song occasionally blare away on the soundtracks hilariously horrible act the faded name hall of shame cast be obviously slum for a easy paycheck and a decent smattering of grisly gore a juicy drill-through-the-stomach murder set piece rate a the definite splatter highlight this severely stinky yet often amuse and oddly entertain sci-fi exploitation swill qualify a a absolute cruddy hoots Evils of the Night 8.0 as a result of be wrongfully accuse of murder a doctor and be put in a mental institutions arnold masters plan bloody vengeance on everyone directly or indirectly responsible for the death of his poor old mother luckily for him he inherit a medallion carry a supernatural force and this allow arnold spirit to step out of the body and to commit the murder without leave a trace the premise of psychic killer be giant nonsense but it doe guarantee a lot of fun and thrills besides there be much than enough element that indicate that this movie shouldnt be take too seriously like the over-the-top act and the exaggeratedly ludicrous killings this movie look suspiciously much like a standard roger norman production the budget be extremely low but the ingeniousness of the script and the enthusiasm of the b-cast widely make up for it neville brand and julie adams be particularly splendid in case you like old horror and you have a morbid sense of humor youre destine to like this cute piece of 70 schlocks the climax be tremendously hilarious and it look quite a lot like a dement version of alfred hitchcock psycho no essential view whatsoever but a gigantically entertain video-nasty i canst recommend highly enough Psychic Killer 8.0 psychic killer be certainly a effective little horror film very much a product of its era its a film with many flaws not little the shoddy construction of certain scene and the general slow pace that never pay off but at the same time it remain interesting the plot be a unique one that mine the late 70s craze for psychic thriller see also the eyes of laura marsh patrick the medusa touch and the creepy atmosphere be spot onethe weird-looking jim hutton star a a guy send to prison for a crime he may or may not have committed whilst inside he befriend a black guy who gift him the power of psychic ability and on release the guy simply sit back in his chair and will the death of that who have wrong him or his family in some way much of the run time consist of a series of weird death scene much than a little reminiscent of the like of the final destination series theyre good stage and avoid cheese for the much part and a interest cast and production team add to the fun paul burkes investigate cop be a great character and the actors very likable aldo ray have a minor role a a support detective and the evil-looking neville brand play a butcher there be role for two famous face from the 1950s whit bissell i was a teenage werewolf and julia adams the creature from the black lagoon the script be write by greyson clark who go on to direct without warning and the direction be by ray danton the sandakan actor give it a look Psychic Killer 6.0 psycho killer flick be a penny a dozen but at little this one have something about it psychic killer be release before the slasher craze really kick off and be surprisingly much original than many film in its class the idea behind the plot is of course pure b-grade horror hokum but somehow it work out well than many man with a knife flicks the film be obviously hamper by budget constraints and this come across by way of the fact that much of the movie be dialogue based the film also have something of a cheerful tone about it and despite messy scene that see hand rip apart by meat grinder and someone crush under a slab of cement the movie never really shock all that much the plot follow a man who be in a mental institute after be wrongly accuse of murder while there he learn the ability to psychically leave his body and upon get out and realise his mother have die while he be lock away he vow to use his new find power to get his revenge on everyone that he believe have wrong him the film move slowly throughout and since a lot of the scene focus on dialogue psychic killer never really get a good rhythm going and every time we see a excite sequence its generally follow by a slow one this be obviously a result of the budget constraints although the screenplay be also somewhat at fault a the movie can easily have make much of its central sequence without over stretch the budget the plot idea be actually one of the films strongpoints its silly and ensure that the movie be very much on the by side of cinema but its also really rather interesting the character drag the piece down however a none of them be give any time to develop and there isnt anyone on the roster that be particularly easy to identify with the gore scene be few but the one that take place in a butcher shop be a treaty other murder that see people kill by accidents be rather sinister but also rather humorous and overall even though this film isnt brilliant theres enough to recommend it to genre fan for Psychic Killer 6.0 its the classic story of good brother vs bad brother a the vampire son of old king vlad handsome noble bore stefan and hideous jealous scheming fascinate radu battle over the right to their inheritance at stake sorry be ancient castle vladislas play to perfection by ancient castle hunedoara and the family prize the mystic bloodstones a holy relic that drip the blood of saints what a unique invention i wish the movie say much about its nature and history into the middle of this gory sibling squabble wander the obligatory clueless bunch of cute american students do a research project on local folklore and were off to the races has its weak spots especially the awkward animation and matting-in of radius tiny demon servants a but its energy enthusiasm and imaginative idea such a the shadow transit by which the vampire travel and the reptilian relish of anders hovels performance a radu easily carry it over this gaps a add in some gore and nudity for the high-school crowd and the pleasure of see a vampire film actually shoot in romania and use its wonderful medieval location so central to western vampire lore a and you have a thoroughly capable and enjoyable little horror film a those who appreciate bloody but clever small- scale horror such a brian yuzna lovecraft film should have no trouble adopt this one if you enjoy my reviews you can read much of them under my previous name just plain angelynx Subspecies 6.0 yes i give the film out of ism not proud where this movie be concern i have no shame i love this movie from the moment i see it on new yorks creature features way back in the late 1960 a a five year oldest five this movie scare the crap out of me now its just cheaply do fun how can anyone who read the title or the plot about a research team on a lonely island be stalk by giant crab that eat the brain of their victim and then can then talk like them and expect it to be anything other than it is if youre interest by interest the plot then odd be youre go to like it what make the film stand up a much than just a grade z piece of trash be the fact the actor sell what they be doing you believe that that believe had this film be do now it would have be a nod and a wink and it all would have be forget ten minute after the camera finish rolling the visual effects the destruction of the island and the crab themselves be a cut above the typical 1950 horror monster there be something ominous about them even if they dont movie all that well great popcorn film Attack of the Crab Monsters 10.0 it bizarre preposterous silly campy creepy a bite gory a little scary and a whole lot of fun where doe one begin with a film such a this campy creepy bizarre for its time quite shock a decapitation and a favorite of year to of year old boy watch chiller theatre showing of this norman classic in the mid 60 originally release with another classic command not of this earth in 1957 this be one of the strange horror film ever made scientists be hold captive on a island by a gang of atomic mutate giant paper-mache crabs a they eat several brainy scientist types lure them into their cave lair via psychic communication get i suppose through the assimilation of the scientist brains got that a good it wasnt quite formula stuff then but it be now you know the group be isolate and pick off one by one here its a island in slasher movie its summer camp or sorority houses or space ship alien but this be back in 57 and the formula be almost fresh then enjoy it Attack of the Crab Monsters 10.0 jess francois faceless be late 80 euro-exploitation with the typical storyline of early 60 euro-exploitation namely a celebrate surgeon who kidnap and kill beautiful woman in order to restore the beauty of his own sister whoas face get horribly deform in a very banal acid- accident francoa among other prominent horror directors already make similar movie in the 60 like the awful dry orloff which he still refer to whenever he have the opportunity in fact faceless be pretty much a remake of that film but since its the 80 our director can now insert a lot much nauseate gore and sexually pervert sub themes the result be one of the much energetic franco movie every with enough sleaze and sadism to satisfy even the sick puppy among us there be extremely graphic facial operation nearly make your stomach turn random bloody execution and a uncanny sidekick gordon who feast his lust on the female corpse-leftovers in between all the sickness franco take the time to create a stylish and truthful portrait of the parisian night life and the dialogue be much much adequate that usually in his films last but not least faceless be bless with one of the great ensemble- casts in exploitation cinema every with anton differing circus of horrors brigitte lahaie island women fascination helmut berger salon kitty the damned and caroline munro maniac captain kronos vampire hunter the big name regretfully only appear in cameos like telly savages and franco-regular howard vernon the sadist baron von klaus miss muerte zombie lake my advised see this film Faceless 8.0 first off understand my rate of ilsa ilsa by general movie standard be not a good movie if you be to put it up against any of the so call classic movies it would not stand up but that who search out ilsa she wolf of the ss or any of the other in the series arent do so because they want to see a tense good acted good direct movie ilsa be of and foremost a exploitation film and realize that i have to say it be in the upper echelon of its field because it wallow in filth and doe so unapologetically it boil down to this if you search out a euro trash film be it a italian gallo or english 70 horror you desire it to be a sleazy and un politically correct a possible but also you want the movie to have some semblance of a plot be it ever tiny ilsa score big on all this points there be wall to wall nudity all female gratitutious torture scene that be much ridiculous than offensive i mean every time ilsa drag a prisoner down for torture they be completely naked a they be be tortured and all much everyone of the female cast member at some point be completely naked lets be honest it aint shakespeare nor doe it pretend to be of note be the lead actress dyanne thorned apparently ms thorne have lofty ambition of be a serious actress at one point in her career but the fickle finger of fate lead her to ilsa fame in her mid 40 ms thorne be competent enough not to look like a amateur on screen she have a several nude scene throughout the movie and anyone who watch ilsa will no doubt remember her much for her large breast than her act ability ilsa she wolf of the ss be a noteworthy entry into the world of exploitation film and should be the start point for anyone who journey into this genre i rate it a a because it know what it be and doe not pretend to try for anything high Ilsa: She Wolf of the SS 10.0 when this movie of come out in the 70 it be a and street style grindhouse pleaser that would have shock mainstream audiences however with the advent of video few will be so shock today ilsa be impossible to take seriously sure medical torture be carry out by the nazis but this movie be not like men behind the sun and you will be leave question the authenticity of isas source ilsa can be enjoy a a exercise in bad taste that john waters would enjoy a tortured nasty nazis and a range of bad accents though joe deblascos six makeup be pretty good the camerawork be good give it a gritty feel and the set used by hogans heros be impressive ilsa will neither exceed nor disappoint a a exploitation flick and thats my recommendation Ilsa: She Wolf of the SS 8.0 ism a big fan of hope lovecraft and this story have all the classic elements this be classic horror set in edwardian england an amaze discovery allow the character a chance at immortality but a with all delve into the occult this one be fraught with danger soon accidental death and betrayal occur leave one hero horribly cursed as mention above this be not a cheap flick that use stupid ploy like nudity or excessive goree while not for little kids id think it would be ok for of year old and up for a 1973 film good before limb the effect be good i give this film a mostly for originality and story it be out on dvds though maybe only attainable now in use format The Asphyx 10.0 tower of evil aspect ratio 85 1sound format monowhilst search for ancient treasure on a lighthouse-island off the british coastlines a archaeological expedition become isolate from the mainland and be stalk by a monstrous assassin trash classic from the heyday of british exploitation tower of evil be helm and write by jim o connolly a journeyman director whose career peak several year early with the valley of gang 1968 one of ray harryhausen well films thrown together on a microscopic budget and base on a script by novelist george bast responsible for such memorable british thriller a circus of horrors the city of the dead and night of the eagle tower hedge its commercial bet by emphasize a couple of high profile cameo dennis price and anthony valentine and foreground liberal dose of self-conscious nudity and goree the open scene in which crusty sea dog jack watson and george colours visit the eponymous lighthouse and stumble on a series of mutilate corpse set the tone for much of what follows and while the main cast be pretty colorless their mutual antagonism borne from a convolute history of infidelity add much-needed shade to the basic narrative outline mounted on sparse but effective studio set designed by the italian jobs disney jones and photograph by veteran cinematographer desmond dickinson a major player in the glory day of british cinema whose resume include everything from olivier hamlet 1948 to the importance of being earnest 1952 horrors of the black museum 1959 and a study in terror 1965 the film be cheapen at every turn by amateurish dialogue and threadbare visual effect no attempt be make to disguise back-projected element during scene on the open seat for instance but this cut-price element have simply contribute to the films endure appeal besides the movie make few pretension to art and o connolly stage the major set-pieces with real technical savvy culminate in a twist end which seem to have inspire a similar plot development in tom simone superior hell night 1981 the cast be toplined by bryant holiday a favorite of producer richard gordon former broadway actress jill haworth the haunted house of horror mark edwards blood from the mummers tomb and derek folds tv eyes minister while the young player include robin askwith already a movie veterans long before his appearance in the confessions films physique model john hamill a familiar face in uk exploitation movie of the 1970 and late the co-writer of bob clarks turk 182 candace glendenning satan slaves and the late anna talk in her last screen appearance all of whom be feature in various state of undress the film be originally screen in the us a horror on snape island and late reissue a beyond the fog nb interested viewer should check out simon hunters lighthouse 1999 originally release in the us a dead of night a outstanding british shocker which cover the same territory but to much great effect Horror on Snape Island 6.0 sexy vintage british horror tale pack with traditional atmospheric fog shade of gothic and hot young flesh from the firm buttock of the hunky man to the smooth perky breast of the women this film exploit the 70 free love era three interconnect tale revolve around a old lighthouse island purport to be close but hide deep secrets they be first a man his wife and their child escape the near by village to live in isolation something happens second free spirit young american who be for the much part naked during their flashback sequences and were all happy about that visit the island for a little hot sex and weed surely this movie be make by content bisexual because both sex bare enough flesh to make your engine hum someone murder three of the hot and horny kid while theyre all naked third a research team be send to the island because one of the boy be murder with a antique sword only find in southern europe the sword it appear belong to a cult that worship the god of orgies lust and firm male butts the team be comprise of four young hot archaeologists and two locals one in particular be a hungry stud gary hamilton who be by far the well look 70 hunk ive ever see naked on screen theres a lot of whose be sleep in my bed antic before the truth about the island be uncovered the underground worship chamber be by far the funny horror set i have ever seen all in all for film history sake and a nice slice of 70 nudity mix with chill and thrills this be the well of its kind did i mention hot man and sweet woman be starked naked much of the time catch it Horror on Snape Island 7.0 i know your think cellar dwellers that sound like a poor sad excuse of a horror film with camp act and a low budget monster i dont think ill bother with that well much fool you yes it have camp act and yes it have a low budget monster but what do you want from a horror movie blood goree you sick people why not instead get your hand on this comedy horror switch your brain off for of min and enjoy this ace movie i think much people should remember the root of the 80 horror generation its movie like this that make my teen so memorable along with other stuff too of course but that have nothing to do with movies anyway fool a ba from the a-team would say keeping with the 80 theme get off your bum and go get a copy of this film watch it and fear the cellar dwellers then join my crusade to bring this gem back to life and give this film the top rate it deserves what you wait for go go get it now Cellar Dweller 10.0 one can do wrong than this if theyre partial to the cheese horror of the 1980s a decade when the genre really come to life not that its anything special at all but it is reasonably amuse and thankfully pretty short in duration 78 minute all told a production of charles bands empire pictures its get a cool gnarly monster a decent cast some gore and some suspense and lot of impressive horror themed comic book art it even come up with some twist along the way its one of the directorial effort of makeup effect expert john carl buechler whod previously helm stroll for empire debrah farentino act here under her maiden name mullowney star a whitney a aspire comic book artist whose inspiration be the reclusive colin childress played by jeffrey combs in a regrettably brief cameo appearance in the open prologued colins creation manage to come to life and commit murder of year later his house be a art academy and whitney be the late student she find that when her imagination be fired the panel in her strip likewise take on life so now she and other at the school be in big trouble the conclusion isnt altogether satisfying but get there one can still have a agreeable enough time there be some fun moments and some hoot to be had brian robbins head of the class c h u d ii bud the chud be likable a a fellow student a be miranda wilson a lisan pamela bellwood dynasty be effectively bitchy a whitney rival veterans vince edwards return to horror high and yvonne carlo the silent screamed be enjoyable to watch robbins father actor floyd levine have a bite a a cabbies and experience monster performer dear play the titular cellar dweller in the end cellar dwellers be forgettable but worth a view for genre devotee who want to see a much from this decade a possible six out of Cellar Dweller 6.0 this really isnt too bad a film and be certainly a worthy sequel to the original piranha work because it be tongue-in-cheek make fun of the film it be parodying piranha ii try to be much serious but be so cheesy that it manages by default to be just a effective this time round the piranha have move from the river and be in the seat able to fly a a result of scientist cross gene to make the ultimate kill machine after the open scene which be similar to the one in jaws of except here the two diver be lover try for some underwater coupling the film introduce a variety of characters much of which be surprisingly endear in a by movie kind of way particularly two topless good-time girl who get provision from a stutter chef with the promise of a threesome lance henriksen who continue a lucrative association with cameron play the police chief who be a hybrid of brody from jaws and colonel kilgore from apocalypse now he valiantly play a straight role a all around him descend into chaotic fun the fly piranha attack like vampire bats go for the throat of their luckless victims whilst they also have alien-like trends one burst out of a dead body to attack a nurses can be gathered i find this film great fun much production value be of a reasonable standard particularly the underwater photography the piranha themselves be a disappointment but they play a fiddle to the character and storyline people who slate the film need to watch the like of barracuda or devil in the deep both of which be fathom below piranha ii any film with dialogue like do you diva on your of date get the thumb up from me Piranha II: The Spawning 6.0 sure its not the well movie ever made but they dont do this kind of movie any more it have a bite of that early 80 charm over it and lance henriksen be never bad in a movie sure the script blow but what a hell its entertain a hell and the effect look very cheesy at some times mostly on the fly piranha effect they look darn ugly it have be well if the fish stay in the sea that effect work better the music sound like some italian gallo film maybe the reason for that be that the producer be italian ivie get the dvd version of the film and it look pretty good in widescreen some scene i wish they would have cut out like some of the much comic characters in a movie like this that aim for a serious story dont need unrealistic comic reliefs like the scene when they chant we want fish what do the script maker think if this be a comedy it would have be a blast but not when its gonna be a horror movie but if you ignore all the flaw in this movie and just see it for what be its pretty ok a forget little horror flick from the early 80 Piranha II: The Spawning 10.0 if youre carry around inside your head a schema of moriarty a ben stone assistant da on law and order the grim determined rigidly moral prosecutory this movie will shake you up like a animate cardboard halloween skeleton he be hardly ever at rest his skinny frame flap and wobblings his hand and finger splay defensively and his voice -- whine and indignant or when the penny drop and he realize he have the advantage defiantly snotty the guy rattle all over the screen and be a thorough delight to watch and hear one of the producer be be interview and the reporter remark that the movie be nothing but schlock with a perfect method performance by moriarty right in the middle of it the producer beam and say proudly the schlock be my idea a neat summary the movie refuse to take itself seriously i think sometimes the script try to get solemn but it canst help chuckle at itself its about this big bird or reptile a aztec god who have build a nest and lay a egg in the dome of new yorks chrysler building moriarty be run around try to escape the mobster who want to knock him off he climb into the decrepit tower atop the chrysler building stand shiver in the wind and chuckle proudly to himself hah ism almost afraid of almost everything but ism not afraid of heights then he stumble on the nest and the cadaver strew around it a nightmarish sight when he hobble back to his trashy apartment his girl friend mention something about make bacon and eggs no eggs moan moriarty i dont ever want to see another egg ever the mobster finally trap moriarty and he promise to lead them to the money theyre after he take them to the chrysler building and send them up into the dome where they be gobble down by quetzalcoatl hah moriarty shriek a he scurry away -- seat semi eat em meanwhile the bird have be putt the snatch on various people from new yorks rooftops a helicopter shoot show us all sort of interest thing on the rooftop of that tall buildings some of them look like the bavarian castle of mad king ludwig all gingerbread and icing a fabulous place to throw the right kind of party david carradine a the necessary investigate detective figure out whats up and show his boss a sketch of the beast the boss say something like a fifty-foot wingspans wowf with wing like that you can fly in from new jersey everybody know new yorks a good place to eat all of this be play perfectly straight moriarty march into the police station say he know where the bird have his digs and say he wont reveal the location unless the city give him a million dollar and some other things a detective suggest they go into his office because there be too many reporter around bring them in say moriarty bring in the camera and the newspapers bring rupert down here i must say again that moriarty doe a beautiful job of create this character he act stupid with his gape mouth but he have a seedy kind of intelligence took the sort of intelligence a frighten but greedy child may have there be some in joke a well near the start moriarty visit a bar in the village and claim hers apply for a job a a musicians he sit at the piano and come up with this engage but defiantly atonal bebop thing and scat along with it while the owner watch him and shake his head in disgust sitting at the bar be david carradine who remark to moriarty sounded pretty good to me moriarty it did huhs what the do you know carradine turn back to his drink and mumbles yeah what do i know actually they both know quite a lot carradine be a talented musician who major in music at san francisco state and moriarty be a accomplish pianist with a couple of commercial recordings the exchange be repeat at the end of the film with the dialog change speakers anyway -- i canst stop laugh while i think about this movie -- anyway moriarty lead the cop to the nest where they shoot the egg full of holes there follow a argument over whether moriarty should get his reward he claim hers show them the location which be what he promise to do but the police argue that just get the egg isnt the same a get the bird i wont go on i feel a bite sorry for when she meet her end granted it have all the beauty of the rear end of a mack truck but still doesnt motherhood mean anything to anybody anymore whatever happen to family values Q 7.0 be a fun film but the main problem with it be that monster in the title be rarely see or be just a simple plot device and the end result be sorta unsatisfying the story be much about the aztec cult and their human sacrifice to their god a quetzalcoatl whence que and the cop try to figure whats go on than anything about the fly serpent there be a lot of pad moment in this film but like i said its fun nonetheless and be much enjoyable than cohens heavy hand god told me to be a homage of the monster movie of the 1950s with low production value and even much questionable act than their 1950s counterpart if you dont like that movies you ll certainly wont like this homage but if youre like me and enjoy watch that classic genre films will make you smile i just wish there be little talk and much monster action Q 6.0 i enjoy this film but i be leave a little puzzle at the end by what id just watch in term of what type of movie this visit start off a a very tarantino-esquire film its clear that he write it a his famous dialogue be present its a enjoyable crime thriller much along the line of tarantino other work such a pulp fiction reservoir dogs but with a bite of robert rodriguez flare show during the action sequences then with about 50-ish minute left the style film change entirely it become another film it go from stylish crime thriller to random vampire action movie its almost a if tarantino leave the room while write the script and somebody write the rest of the film for him it lose its tarantino charm and become a predictable gore fest vampire flick i m a fan of vampire films so i still enjoy the movie but i can see why other dont like it the act be of high quality especially from george looney who outdo himself and in part save the film watch with a open mind From Dusk Till Dawn 8.0 jesus francois 1970 vampyros lesbos inexplicably title above el sign del vampiro be the masterpiece of all euro-exploitation genres you can swoon over the greenaway light in suspiria you can thrill to the comic-book metaphysics of the beyond a few solitary freak may smack their chop over cannibal ferox but the big mama the 2001 or intolerance of the litter be francois fever-dreamy z movie a dusted- out collage of st trope glamour poisonous software sex platter-party lounge music go satanic and much crazy zoom than the entire body of martial-arts movie combined franco have make much movie than probably any other live filmmakers and theres something intuitive and inspire in each of them but in none of his other work do he so perfectly combine what he learned in his zonked-out way from his master resnais antonio and especially welles and his own lurid kick-addicted grade-z technique this movie isnt just for b-movie weirdos hardcore tarkovsky fiend may find themselves after fifteen minute saying god i kind of like this what happen to me Vampyros Lesbos 10.0 a fraternity prank on a weakling of a student go horribly wrong when the victim be emotionally affect by it and end up in a institutions now three year have past and the senior fraternity friend have decide to celebrate their final outing with a new years eve costume party on a train but a uninvited guest have manage to stall away on the train by kill off student and use their costume to pose a that person to lure their next victim after a death or two carne the trains conductor discover the body and he go into investigation mode along with one of the initial victims elena all aboard the train of death of but you get to make some room for party of and david copperfield wowf lets break out the streamers a that sound like a great time yeah it sound like of but it doesnt entirely eventuated being there would be much fun than watch it terror train be a competent look slasher by director roger spottiswoode but here we go again in the formulaic stakes which isnt too bad because its slickly do with a different and claustrophobic setting but i find too many aimless spurt with tire gag and constant drink and dance instead of give us the real good stuff and when it finally doe its not terribly worth-the-wait damn even copperfield get enough screen time do his bag of trick that i be hope he would magically disappear of off the train sure his trick be entertain and what so but be it try to distract us from the really unoriginal story tell and a lack of suspense and blood the novelty behind the plot with a costume party aboard a speed train be a good idea with many possible outcomes but the fracture script doesnt take full advantage of it and actually decide to display the usual ingredients vague character and stale clichés even the mystery side of the story be poorly execute with red herring that dont work its slightly entertaining but much effort can have go into the storys structure and shock tactics most of the cut-away death be swiftly tame and slim-pickings while the film only go for about of minutes it doe feel long because of some long spin-dry spell of dull chin-wag and tedious fool around there be some redeem quality in this fault-filled production firstly there be a richly thick atmosphere with the train be cover in shadowy patch and gloomy light that enhance the tight air sometimes it be that dim that a flare would have work wonders the film be fill with lush photography and a rattle score although the profound disco music can be quite sore on the ears while the open of the film be rather sleepy there be a few intense build up and a explosive showdown between heroine and killer in the final third spottiswoode capable direction keep the film level with some flair and the performance by the always watchable jamie lee curtis who just reprise her signature scream queen role and ben johnson be decent in a minor sense the rest of the performance be forgettable with the usual cheeky drunken frat and you get the stiff look david copperfield terror train be a modest slasher affair all round that at time be a bite too convenient but while there be some restriction it still mildly entertains Terror Train 6.0 twenty year ago harry warden go nut and slaughter a bunch of people on valentines day the mine town he hail from cancel subsequent v-day dances but when they try set one up again warden seemingly return with his pickax ready to hack the local kid up and leave his mark things can only go bad from here director george mihalka bring us another holiday-themed slasher ride the success of black christmas halloween and friday the 13th and pave the way for april fools day but george be a nice guy and i dont want to say hers just one among the crowd there be hundred of was slashers but only a few stand out today bloody valentine is of course one of them even in its original neuter glory anywhere from three to nine minute be cut the film stand a a good film without any really notable actor or actress okay so neil affect have a brief role in scanners and be mihalka one big mark the film carry itself on story act and blood the blood while lack a times come gush through in others and like any good slasher the killers identity be not reveal until the end leave us guess until the last twist of the knife for ax slasher fan need to pick up the lions gate special editions while the double-disc with april fools day be cheap and still worth watching you dont really know this film until youve see it uncut the goree my the goree its actually a shame that it take so long for a company to come along and save this film because it be even well than we once assumed mihalka can have be one of the was great and in my mind he still is if youve be a horror fan and avoid this one please see it sure its mostly mindless fun -- kid drink and make out get hack up -- but i can watch variation of this formula dozens score or hundred of times theres something fun about a simple stalk film that you canst always get from other film that try too hard to be clever and i like think films but a night with buddy and booze you need a slasher and this be the one you should pick My Bloody Valentine 7.0 it make me laugh when i read bad review of this movie no one claim it be a classic no claim it would win award or prize for depth of storyline what it doe have be earnest performances fantastic fx amaze score and very pretty photography yes laugh at the shadow of the camera in the day before monitors during the race scenes at little they bother to use real car on real road at high speed unlike pathetic cgi car fast the furious fast furious go in of seconds with crap physics this movie be totally innovative nothing like it before or since and there be a lot of technique use in this movie that i havent see better since the bite where jakes scrambler break into meteorite still look great the tasteful re-animation of the wraith mobile after crash nowadays that would probably be do use reverse photography the action scene in mad max mad max be speed up and look ridiculous watch the bite in mad max just before he crash his interceptor you ll see the act be pantomimish baddies=very bad goodies=very good but that be the style of this movie we know that this actor be capable of much in- depth characterisations but this be a shallow b-movie thats all its suppose to be anyone who watch this movie and expect anything other than popcorn fodder be a absolute idiot moaning about technical problem and poor act only make you look like a idiot and lets face it even todays big blockbuster be chock full of mistake and glitches you dont watch a carry on movie and then say that be quite unrealistic and the act be bad thats the point its silly farce youre not suppose to take it seriously i m also aware that charlie sheen hate this movie and he must have good reason strangely enough ism surprise that this movie be not seize upon by the pompous comic book brigade i guess if it be a little much gothic and the wraith be brood and have a trouble back story it would have be much accepted ism glad it didnt and wasn t if it be make now it would have stink cgi fx and too much back story it a bubblegum movie you dont like it dont watch it as a b-movie for its time it be a technically superior easy watch which still tower over many new movie of the same genre the crowd pompous nonsense hellboy crap the wraithe knows its place and doesnt try to overstep its markland for people moan about rubbish acting check out matthew barrels performance when billy hankins realise jake be his brother its a amazing emotionally charge moment i dare you to disagree and if you do you must be tripping stop henpecking this movie it ace i tell you ace The Wraith 9.0 the house on sorority rows be above your average slasher flick its up there with halloween follower like friday the 13th prom night my bloody valentine and sleepaway camp unlike much slice-and-dice movies the house on sorority rows actually have a plot some good act from the cast a mysterious killer and its not that bloody the plot revolve around the girl of theta-pi sorority katey vicki liz diane stevie jeanie and morgan at the end of their college days the thetas decide to have one last fling before they go however their evil house mother mrs slater be will to do anything to stop the festivities but that doesnt mean that the thetas dont have a plan of their own they decide to pull a very cruel prank on mrs slater which be guarantee to work perfectly but the prank go too far and it result in mrs slaters death afraid that the police will suspect them the girl hide mrs slaters body in the pool they will have their party and will get rid of the corpse in the morning unfortunately somebody know what they did and that person decide that theyre go to make the girl of theta-pi pay for what they did the house on sorority rows be very similar to prom night and i know what you did last summer however prom night and its successor be there before the 1997 box-office smash the cast be well- chosen with kate mcneil a katey eileen davidson a vicki and the rest of the sorority girl be not bad the house on sorority rows doe have its flaws but they be only minor one of the girl have almost zero line of dialogue the film drag just a little bit and its so obvious that lois kelso hunt who play mrs slater voice be entirely dubbed since director mark rosman say that her voice be not scary enough for the role but i do not pay attention to this issues and i really enjoy the movie the result sometimes what a slasher fan need be a little bite much than just a hack-em-up film some genre fanatic may look for a slasher-thriller the house on sorority rows be that movie it offer suspense a little bite of goree some of the inevitable female nudity good character and a creepy villain not to be missed The House on Sorority Row 8.0 better than average slasher flick about a group of sorority babe who accidentally kill someone during a prank and try to cover it up later theyre murder one by one by until the inevitable final girl vs the killer showdown all this thing seem to have its a good movie of its type with some humor and gore although probably not enough to appeal to gore hounds starts out with some miss marple-type music that back in the day have me double-check the vhs label to make sure i have the right movie the cast be pretty good with early role for eileen davidson and harley jane kozak and a nice lead role for kate mcneil my favorite scene be eileen davidson show off her breast and the sea pig scene given her age you would assume lois kelso hunt playing the sorority house mother be a season pro but her act be so bad that sheds outshined by everyone in the cast even the sea pig theres also a corny band that scream 1980s its a fun movie if you like 80s slasher which i assume you do or else why would you be watch this might lose a little punch if youve see a lot of similar movie that come after and avoid the 2009 sort-of remake at all costs its garbagey The House on Sorority Row 6.0 from ken russell the devils to jesus francois love letters of a portuguese nun from sergio grievous sinful nuns of st valentine to gianfranco mingozzi classic flavia the heretics and everything in between i be a self-confessed nunsploitation freak i want to embrace killer nun uncritically i also like to check out any film feature joe dallesandro who be always interesting except maybe in this movie but it would be unfair to ask joe to save a failure like killer nun the basic problem with this movie be the mislead title with a title like killer nun you be compel to either deliver the goods or condemn to disillusion your audience as a viewer i havent feel so disillusion since i see blow up and not a single cast member exploded i actually fall asleep the of time i try to watch this film right after anita edberg stomp on the old lady dentures i do not pass out from tiredness but from the surprise agony of boredom this film inflict upon my vulnerable brain i trustingly place my fragile psyche in the hand of cruel and insensitive filmmakers who betray me by the time i fall asleep on the initial view attempt i have long weary of chant kill nun killed every time a nun appear on screen maybe if the film have be market under the title horny junkie nun or nun with occasional psychotic episodes i wouldnt have feel so rip off the a time i settle down to inflict killer nun upon myself i be prepared i sit through it with steely determination thankful for my preternaturally high pain threshold there some soft sex and nudity but only one scene between sister gertrude ekberg and her young lesbian nun lover contain any hint of eroticism or interest sister gertrude humiliate her submissive girlfriend sister mathilde paola morral a italian playboy playmate who also have a small role in the nunsploitation flick sex life in a convent edberg force her to dress in silk stocking to satisfy her admit fetish and demand that she repeat the words i be the wrong kind of prostitute unfortunately this be a case of too little too later this scene can have be deliciously lascivious another opportunity to deliver the prurient good utterly wasted the same can be say of the goree yeah people die in this movie but the of outright kill occur nearly halfway through the film the goree such a it is be almost entirely implied and will only irritate fan of graphic violence fx another kill carry genuine potential for thrill and terror a the victim be sadistically torture with pins somehow the filmmakers actually succeed in make scene like this boring doesnt cut it with a film call killer nun habeas for the other half of the reason i be look forward with some pleasurable anticipation to watch this movie joe dallesandro his role be negligible aside from a lame soft sex scene with morral hers give nothing to do at all dallesandro be usually much than watchable in genre films while he never give a bad account of himself in this instance his presence be wasted a significant letdown for this fanni never imagine i would be disappoint in a nunsploitation entry the big shock this film deliver be what a dud it turn out to be ive have much laugh film myself vomit than i have watch this movie if you want nunsploitation then consider killer nun a a last resort instead try one of the film mention in my open remarks or maybe youd enjoy my personal favorite pedro almodovar dark habits Killer Nun 6.0 a wear out musician decide to take break and go a relax vacation he choose to stay at health farm locate out in the country and on the way there he meet a girl on the train go to the same place to see her aunty the mysteriously means but cripple dry storm whoas perform brain surgery on the holidaymaker and turn them into his obedient zombies run the resort when the two teen find out about his insane experiment and learn thats their fate they go out of their way to get away but they not only have the doctor to face but also his dwarf sidekick a army of leather wear zombie and that of a hideous monster just wait a second a i just pick up my jaw from the ground now what be that all about horror hospital have get to be one of the much ridiculous and over-exaggerated horror film that ive ever come across but you know what i have a real ball with this blend of macabre and camp thats high camp of a very dement type the praise that ive give make it sound great and i have a good old time with it although dont be expect anything particularly fresh and this derange piece be one downright messy film that doesnt have any idea of the word coherence so from that point it recycle the same old formula and leave a lot of thing up in the air the clich and predictability flow freely without any sort of constraints also forget about logic in the script and story a thats throw out of the window for absurd situation that dont make much sense actually the whole film doesnt make a whole a lot of sense with the so many pothole and laziness theres so much go on in the plot that theres such vagueness to everything and the problem be it try to squeeze too much madness without explain what happen before it and how it come to that situation but all be forgive because its so abnormal and hugely enjoyable so just go with the flow because if you try to decipher whats go on you ll receive a split headache for your troubles the whole mysterious awe about whats go be just so hard to shake that i couldnt keep my eye off actual story be no much then a melodrama disguise a a gothic shocker which spurt along some exploitation and black humour along the way actually the whole thing turn into a black farce with everything be poke fun at and the blood splatter be pretty much in a comic book state because of that the violence isnt particularly gruesome and it doesnt make you squirmy but the gratuitous bloodletting and nudity doe run freely damn that leather- clad zombie really do like to hand out a beating the great thing about it be that everyone involve know how stupid it really be and dont take the thing so seriously the performance be plain awful and purely amateurish to say the least but its roughs hellishly campy performance that steal the lime light a the crazy doctor and skip martin a frederick the dwarf add a cheeky vibe to the film the dialogue join it with its ineptness but even though this thing be terrible theres some energy amongst it and you canst go wrong with the tongue-in-cheek approach it takes another strong feature be that of the setting the resort which much look like a castle on the inside have a oppressive awe about it and the grand gothic exterior make it look large and menace than it really is being isolate in the countryside help provide such a brood atmosphere took although its definitely hilariously bad it still doe have its eerie moment work in also the robust score build on the suspense and uneasiness greatly and the soundtrack be reasonably groovy well what do expect from that era really this be purely utter ham that breathe sadism and sleaze in a very cheap way no way can you call this a good film because its not the aim of the flick be to entertain with it be heavily lace with bloody sleazy and humorous context even if the production be pure rubbish it doe it effectively enough that i can see this become a guilty pleasure of mine only for people who really enjoy camp horror and if you do youre in for one big treaty Horror Hospital 7.0 horror hospital start with a black rolls royce park in some wood somewhere in england dry storm micheal gough crack his knuckle a he wait in the back with his assistant a dwarf name frederick skip martin a teenage couple be see run through the wood cover in bloody bandages the roller pull up behind the escape duo a couple of sharp blade shoot out of the side of the car a it catch the flee patient up drive past the blade decapitate them both their head be catch in sack also attach to the side of the roller this be a fantastic sequence by the way jason jones robin askwith decide to leave the mystic rock group after they steal one of his song a fight break out jason notice a advert for hairy holidays feel the time be right for a break so he wander down a alleyway in london not a good thing to do where the hairy holidays officers be locate meet mrs pollack dennis price the gay owners after a brief sale pitch jason decide to go to brittlehurst manors a relax health resort on the train jason meet judy peters venessa shawl who be also on her way to brittlehurst manor to meet her aunt harris ellen pollack for the of time but once there what they find be beyond their wild drug induced dreams the insane wheelchair bind dry storm his wife aunt harris zombified teenagers murder a strange abuse dwarf servants biker helmet wear guards blood stain sheet that look a if someone have be slaughter cattle on them axes hang on the walls water that run red with blood only one available room which they have to share it soon become clear to both jason judy that dry storm have some unusual method of treatment this english exploitation horror film be co- written direct by antony black who also have a uncredited cameo in the film a a beard man in the club i think horror hospital be a bizarre film that feel like it have everything but the kitchen sink they donate wont or canst make them like this any more the script by black alan watson be a real mess theres guard dress a biker for some reason a rolls royce which decapitate people zombified back flip teenagers dwarfs a deadly bog in the middle of a english wood a deform monster who like to whip naked girls brain operations flashbacks gay holiday salesmen a rock group with a thieve transvestite lead singers a weird train station attendant sever head in a water tank a shower scene involve someone wear a knights steel helmet a real override sense of bizarreness throughout in fact sometimes it feel like too much be happening dry storms motive be never make clear a a whole horror hospital be all over the place even though it have some great idea it doesnt quite know what to do with them a it try to stuff a much into its of minute a possible this a it happens be a good thing though a it move along like a rocket be never dull or bore be just so entertain to watch if you take it in the right way horror hospital be not set in any sort of hospital i recognised it be obviously shoot in a stately house somewhere that have a basement lab for dry storm next to the basement gyms after a fantastic open sequence horror hospital lose its way much much a it progresses it become much confuse feel much pad a it reach its predictably bizarre ending at little black his crow try to make something a bite different they certainly succeeded horror hospital be one of that unique film i can probably talk about all day analyse it point to various scene that stay in the memory a lot of horror hospital be very tongue-in-cheek for the much part it thankfully doesnt seem to take itself too seriously its also very camp garish its a real product of the early 70 just check out askwith hairdo clothes horror hospital contain little in the way of blood or goree the brain operation be off screen for the much part but that wonderful decapitate roller provide some sever head gore when it pop up gough be good a the mad scientist but everyone else be rather undistinguished in their roles technically horror hospital be basic a bite crude at time but much than acceptable it give the film yet another bizarre extra dimensions overall i have tremendous fun with horror hospital but if your look for a serious scary horror film then forget it watch a hammer dracula or frankenstein if you want serious british horror still with me in that case make sure you check this out if just for laugh only of which there be many definitely a unique view experience a film everyone should see at little once Horror Hospital 7.0 as be the case with many of this latter-day horror movies this be visually stunning this one be particularly so with beautiful colors wild special effects lavish set and a handful of pretty women lead by winona ryder it isnt all beauty there be some horrific bloody moment in here ive see the film three time and the of two time be terrify to me in parts the last view wasnt a scary but maybe i be distract by see this on dvd for the of time which enhance the visual and add some nice 1surround sound at two hour and minutes its a bite long but there be very few lulls if any gary oldham give his normal intense performance a dracula and it never hurt to have anthony hopkins in the film the only negative i find be kannu reeves who sound a bite wooden in his lines is it my imagination or be he a terrible actor maybe its just his voice nonetheless cary eldest richard grant sadie frost and bill campbell all give good support to this film which be a real feast for the senses Dracula 9.0 i expect a jaws clone and get a movie about threesomes after i get over the initial shock i actually find tintorera to be a sweet almost classy little male fantasy tintorera be actually a sex and thus perfectly capture the feel of the seventy take on sexual revolution a era of hedonistic disco parties sexual experimentation and short loveless sexual encounters rene cardona jr regular hugo stieglitz look great a a wealthy boy on vacation esteban who finds himself in a three part relationship with the cute gabrielle and his former sexual competitor miguel the shark hunter meanwhile the fear tintorera a big- ass tiger sharks be have a feast on the sexed-out beach community the concept usually see in slasher films be clearly visible and you can say that tintorera attack on the swimmer be really a attack on the sexual revolution if you want cheese you ll have no trouble find it the darth vader-like breathe of tintorera or the underwater conversation between esteban and miguel directly spring to mind but dont look to hard since the large part of the movie be actually pretty well-made and totally undeserving of its bad reputation which i think be much due to the whole idea of a shark sex movie than the movie itself chances be you may actually enjoy it a i did also if you be a gay man interest in exploitation cinema you be bind to like it the homosexual overtone between esteban and miguel be painfully obvious and there be numerous shot of hugo stieglitz cute little ass on a regular scale Tintorera: Killer Shark 8.0
x0 = pred_rev.flatten()
x1 = true_targets
trace1 = go.Histogram(
x=x0,
opacity=0.4,
name='Predicted Class <br> Probabilities',
xbins=dict(
start=-0.1,
end=1.1,
size=0.05
),
)
trace2 = go.Histogram(
x=x1,
opacity=0.4,
name='True Classes',
xbins=dict(
start=-0.1,
end=1.1,
size=0.05
),
)
data = [trace1, trace2]
layout = go.Layout(barmode='overlay',
title='Distributed Bag-of-Words Dense Neural Network Classifier Results',
xaxis=dict(
title='Class Probabilities'
),
yaxis=dict(
title='Number of Reviews'
),)
fig = go.Figure(data=data, layout=layout)
iplot(fig, filename='overlaid histogram')
# ## Applying Over-Sampling to Under-represented Classes
# ### Using the Synthetic Minority Over-Sampling Technique (SMOTE)
# ### On SMOTE over-sampling, Cf. https://arxiv.org/pdf/1106.1813.pdf
# #### Cf. also http://sci2s.ugr.es/keel/keel-dataset/pdfs/2005-Han-LNCS.pdf and
# #### https://pdfs.semanticscholar.org/f11b/4f012d704f757599bd7881c278dcc6816c7c.pdf
# ### Using Adaptive Synthetic Sampling (ADASYN)
# ### On ADASYN, Cf. http://citeseerx.ist.psu.edu/viewdoc/download?doi=10.1.1.309.942&rep=rep1&type=pdf
X_SMOTE, y_SMOTE = SMOTE().fit_sample(nn_rev_input, true_targets)
print('SMOTE upsampled counts of classes: \n')
print(sorted(Counter(y_SMOTE).items()))
print('\n')
X_ADASYN, y_ADASYN = ADASYN().fit_sample(nn_rev_input, true_targets)
print('ADASYN upsampled counts of classes: \n')
print(sorted(Counter(y_ADASYN).items()))
print('\n')
print('Evaluting SMOTE and ADASYN upsampled models...')
model_d2v_all.evaluate(X_SMOTE, y_SMOTE)
model_d2v_all.evaluate(X_ADASYN , y_ADASYN)
#predict method to generate predictions from DNN model and test data
y_SMOTE_pred = model_d2v_all.predict(X_SMOTE)
#predict method to generate predictions from DNN model and test data
y_ADASYN_pred = model_d2v_all.predict(X_ADASYN)
threshold=0.5
print('\n')
print(confusion_matrix(np.array(y_SMOTE), (y_SMOTE_pred>threshold).astype(int)))
print('\n')
print(classification_report(np.array(y_SMOTE), (y_SMOTE_pred>threshold).astype(int)))
dbow_dnn_smote_accuracy = accuracy_score(np.array(y_SMOTE), (np.array(y_SMOTE_pred)>threshold).astype(int))
print("Correct classification rate: (SMOTE) ", dbow_dnn_smote_accuracy)
print('\n')
print(confusion_matrix(np.array(y_ADASYN), (y_ADASYN_pred>threshold).astype(int)))
print('\n')
print(classification_report(np.array(y_ADASYN), (y_ADASYN_pred>threshold).astype(int)))
dbow_dnn_adasyn_accuracy = accuracy_score(np.array(y_ADASYN), (np.array(y_ADASYN_pred)>threshold).astype(int))
print("Correct classification rate: (ADASYN) ", dbow_dnn_adasyn_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
model_types = 'DBOW DNN-based Sentiment Analyzer: \n SMOTE and ADASYN Upsampling Negative Reviews'
conf_matrix_SMOTE = confusion_matrix(np.array(y_SMOTE), (np.array(y_SMOTE_pred)>threshold).astype(int))
conf_matrix_ADASYN = confusion_matrix(np.array(y_ADASYN), (np.array(y_ADASYN_pred)>threshold).astype(int))
fig = plt.figure(constrained_layout=True, figsize=(26,13))
gs = GridSpec(1, 2, figure=fig)
ax1 = fig.add_subplot(gs[0, 0])
ax2 = fig.add_subplot(gs[0, -1])
sns.heatmap(conf_matrix_SMOTE, annot=True, fmt="d", annot_kws={"size": 16}, ax=ax1)
ax1.set_xlabel('Predicted Label: (SMOTE)')
ax1.set_ylabel('True Label')
sns.heatmap(conf_matrix_ADASYN, annot=True, fmt="d", annot_kws={"size": 16}, ax=ax2)
ax2.set_xlabel('Predicted Label: (ADASYN) ')
ax2.set_ylabel('True Label')
fig.suptitle('Confusion Matrices: {} \n'.format(model_types))
plt.show()
plt.tight_layout()
SMOTE upsampled counts of classes:
[(0, 693), (1, 693)]
ADASYN upsampled counts of classes:
[(0, 710), (1, 693)]
Evaluting SMOTE and ADASYN upsampled models...
1386/1386 [==============================] - ETA: 0s - 0s 26us/step
1403/1403 [==============================] - ETA: 0s - 0s 23us/step
[[684 9]
[196 497]]
precision recall f1-score support
0 0.78 0.99 0.87 693
1 0.98 0.72 0.83 693
avg / total 0.88 0.85 0.85 1386
Correct classification rate: (SMOTE) 0.8520923520923521
[[698 12]
[196 497]]
precision recall f1-score support
0 0.78 0.98 0.87 710
1 0.98 0.72 0.83 693
avg / total 0.88 0.85 0.85 1403
Correct classification rate: (ADASYN) 0.8517462580185318
<Figure size 576x396 with 0 Axes>
#sent_df.iloc[:, sent_df.columns.get_level_values(1)=='Predicted Sentiment']
Rev_SentimentDocument = namedtuple('SentimentDocument', 'words ttl tags pattern_sent_score')
i=0
pattern_output = []
for rev, ttl in zip(all_reviews_joined, all_reviews_ttl):
final_sent, sent_df, assess_df, sent_binary = pattern_sentiment(rev, threshold=0.1, verbose=True)
words = rev
tags = i
pattern_sent_score = float(sent_binary)
pattern_output.append(Rev_SentimentDocument(words, ttl, tags, pattern_sent_score))
print(fill(words[:250]), '\n')
print('Movie title: {} \n'.format(ttl), '\n')
i += 1
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.204 0.482
spoilers have see a lot of films review a lot of film but this
extraordinary two and a half hour technically-perfect humanistic
horror film from one of the fine writer directors in the business
auteur of i saw the devil be something of a cipher the c
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.037 0.527
the wailing open with a quote from the bible it be easy to forget this
fact while watch much of the film but at a certain point it become
clear the purpose that quote served it be almost like a warning if you
be a religious person this film will scar
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.174 0.436
this movie be a hell of a ride about of minute into the movie i stop
to look at how much time be leave and be actually relieved to see that
there be still so much left thats how engage and interest the story be
for me before watch the movie i read on
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.216 0.587
i want to start this review with say that i be not completely against
jump scares they play integral part of horror movies but when a movie
mostly rely on them and be not support with great story i be always
leave displeased what make the wailing so
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.124 0.408
perhaps ism a little biased after all this be set in the city i live
and work in and see oxford street and piccadilly circus which i pass
by every morning and which be usually teem with crowd of people
completely empty be enough to send shiver down m
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.021 0.495
this film be about a virus rage virus that make the infect person mad
with extreme rage and hungry for blood within of day one outbreak in
london cause entire britain dead or evacuate leave behind a blood-
thirsty infect population and a handful of so
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.076 0.454
the 2003 state-side release of danny boilers 28 days later be
advertise a be a chockful scare-fest of a movie i didnt get around to
see it until a few day ago and i gotta feel like that be somewhat of a
embellishment on the promoters part when enviro
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.12 0.434
the key to keep the sci-fi horror genre alive in the cinemas a of
later be to make sure the material and technique the filmmakers
present be at little competent at its average creative and at its well
something that we havent see before or havent see
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.028 0.517
let the right one in be like no other vampire movie that i have ever
seen it be smarter scary and much nuanced it doesnt feel like a
thriller it feel like literature the film which detail the bizarre
misadventure of a pair of pre-teen star cross love
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.147 0.512
let the right one in is at its heart a sweet coming-of-age story which
be so unique and different that it simply defy categorization in this
swedish film adapt from john aside lindqvist bestselling book director
tomas alfredson dare to mix pleasure a
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.168 0.495
so many people review this film on iadb seem to focus on the sweet
friendship between its of year old human and vampire leads while this
be a huge element of the film this be a sweet story of childhood
friendship in the same way the godfather be the
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.072 0.665
i be not particularly fond of the vampire genre but this movie be so
much more it be artistic poetic and in many way a very profound movie
explore the nature of good and evil it doe so through the world of a
child where both pure evil and pure goodne
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.143 0.555
zombies and much zombies so many they do not cheap outta few original
idea and moves which be probably mandatory because they only have the
width of a train to play with for much of this film a a beautiful girl
what can i say i be a sucker for long-h
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.025 0.67
dont youths film be fun action-packed full of dangerous elements
innovative have pretty girl in it and much importantly be successful
yup here come the hollywood remake it will be another entry in the
series of redundant unnecessary inferior whitewas
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.517 0.6
the zombie be a plenty so they go all out for thistle cheerleader be
splendid and gods gift to debut the story really peter out at the end
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.1 0.518
who would ve guess that the director of saw would end up be the much
inventive horror filmmaker work in the industry james wan brilliantly
take us back to the retro day of horror deliver a extremely stylistics
visually strike horror film that stand t
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.078 0.601
dont summon the devil dont call the priest i be one of a lucky few to
have see the conjuring at a preview screen for brightest 2013 i go in
totally cold not have see a trailer nor know anything about the story
or plot and it turn out to be one of the
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.101 0.547
ism a avid horror fan lately ive be think there isnt much that can
scare me though sinister get under my skin i appreciate james wants
films i love the of saw insidious be a damn good modern ghost story
but like all review have state for it the movie
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.12 0.543
the key with the conjuring be not that it have freshness on its side a
evidence by the ream of horror fan argue on internet site about
nothing new on the table but while that fan will be go hungry for a
very very long time the conjuring doe everythin
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.099 0.495
the conjurings be a high class horror film its hard not to be scare by
it we care for the character and the story be compel enough to make
you feel interest the whole time based on true life events ed and
lorraine warren be paranormal investigator se
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.27 0.599
while much movie that pit human against horrendous extra terrestrial
end up be cheap imitation of the aliens series pitch black stand a a
fine piece of sci-fi and a excellent movie all around a perhaps my
favorite aspect of the film be the lighting a
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.017 0.592
pitch black be a survival story its about how to survive in a hostile
alien world against even much hostile enemies the task get even much
difficult when the near enemy can be find within your own survive
group the plot of pitch black be quite usual
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.167 0.589
this be without doubt the much excite and satisfy film ive see in
years of the plot see in print be almost banal- a ship crash on a
desert planet with three suns the survivor have to adjust to the
landscape and each other then darkness fall and the m
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.172 0.528
the open scene of this movie be pretty incredible a ive see a numb of
sci-fi movie with great special effect but my roommate and i look at
each other after the open sequence and he say plainly sensory
overloaded a the plot of the movie be pretty simp
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.051 0.505
anyone who live in the world and follow movie have a pretty good idea
of the main concept behind a quiet place there be being that will kill
you if you make a noise a the film doe very little to try to explain
where this being come from all we know b
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.196 0.575
a quiet place direct by john krasinski be a genuine and tense horror
thriller it have a unique premise and backstory the setup for the
story have be do well the performance by john krasinski and emily
blunt along with the child actor be awesome the d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.1 0.527
this be a good movie if one be will to overlook the hundreds literally
hundreds of logical fallacy in this movie other review give a good
overview of the plot ism not look to do that here i just want to point
out some plot inconsistency andor the lac
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.107 0.522
this film be a classic case of we just have to make a film about that
premises however what the people involve didnt do good be figure out
how to cover all the plot hole the premise be always go to introduce
the introduction be move and set up the pr
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.072 0.476
first i enjoy some part of this film the suspense be on point acting
be good it wasnt totally unwatchable but for me it fall short of what
it can have been ism just go to list why i disappoint and confused
spoilers below a be they really aliens how d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.07 0.587
theres a lot of this shaky-cam movie around at the moment and among
your cloverfield and diary of the deads this low budget spanish movie
may seem like the underdog but its punch way above its weight filmed
by a tv crow stumble upon something very na
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.164 0.436
this be truly a superb horror movie i love this movie so much i have
to leave a comment it have be a long time since i jump off my seat a
few time way too many it have some of the scary scene i have ever see
you ll know what ism talk about the way it
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.035 0.499
rec be a film that utilise the pov point of view camera technique for
the entirety of its duration it be a technique in which the person
behind the camera be a character that be integral to the plot
narrative and story of the film in brief rec be a h
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.294 0.586
this be the kind of movie that you go to the cinema and watch and then
haunt you for weeks not that it will make you afraid of the dark or it
will make you question your vision of life this be the kind of movie
that be all about the experienced the f
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.095 0.54
i be not usually comment on movie here i rather read other peoples
comments but i just finish watch rec and i feel i really have to
comment even if its just to get my heart rate down first of all let me
say this be one hell of a terrify movie i think
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.101 0.451
theres another version of the witch that could ve existed a puritan
family in new england get terrify by a witch live in the woods who
torment them with supernatural satanisms if youre say to yourself wait
isnt that exactly what this movie is then yo
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.035 0.374
this be a story set in the early colonial period of new england it
have the authenticity of a well-researched historical drama up to and
include dialogue deliver in a period accent and vocabulary softened a
bite so that its easy to understand instead
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.188 0.595
if people from the with century can make a film about their deep dark
horror it would look a lot like this movie the witch engross you in
the time and place of its setting its a family drama a horror and a
folk tale all interweave together into a mac
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.115 0.507
if nightmare induce horror be not your bag then the little you know
about the descent the better geordie writer-director neil marshall
have deliver a accomplished good acted out and out horror movie that
come a much of a pleasant surprise a his of ma
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.192 0.545
there arent that many british horror films so its not too much of a
stretch to call this one of the well british horror movie ive seen it
have flaws but ive only see a few film in my life that donate its
incredibly entertain though the basic premises
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.001 0.446
whats interest to me be the deep mean and symbol of the film the film
be really about two women sarah and her friend juno the film open with
sarah lose both her husband and child in a horrific wreck over the
course of the movie it become apparent tha
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.063 0.553
with dog soldiers neil marshall create a tight and claustrophobic
atmosphere then add the scare to create a very good horror film
however the tension be often release with humour and the audience be
allow to catch their breath and relax at no point i
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.147 0.508
after watch the descent my bud robert and i decide that spelunking
would now come off both our to do lists—for good writer and director
neil marshalls the descent craft and sustain a unrelenting tension
throughout once you get past the suspend disbel
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.6
whenever i see a negative review of i saw the devil the critic always
mention scornfully that the movie be ultra violent and portray woman
in horrify circumstances yes it is and yes it does but this isnt a
hollywood slasher flick the kill in this mov
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.046 0.583
this movie be not for the squeamish or the faint of heart censors
claim it be offensive to human dignity these be the kind of thing they
tell the audience at the world premiere screen of the uncut version of
i saw the devil at the toronto internation
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.149 0.601
i saw the devil be a bloody masterpiece jee-woon kim have prove
himself to be a master storytellers beautiful shots a creative script
perfect act and intense violence make i saw the devil a must-see movie
for anyone who call themselves a horror fan i
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.009 0.726
the plot of i saw the devil revolve around a detective whose beautiful
fiancee be savagely murder by a vicious psychopath play by oldboy
himself min-sik choy despairing cop quickly track down the psycho
tortures him a little and let him free to play
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.013 0.491
just come back from the tiff screen of the uncut version of this film
and after read the very of review post here i feel somewhat compel to
leave a short comment the movie be about revenge a woman be murder by
a serial killer the womans soon-to-be hu
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.07 0.538
this be probably the well horror movie ive see in the past decade it
follows be a throwback to classic late 70s 80s horror film and draw
many comparison to john carpenters style from the music to the
cinematography and rather than appear like a carbo
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.15 0.485
finally a real horror in a long time no much bloody slasher craps this
be how the really scary movie be made suspense and fear be create by
great cinematography and music the pace of the movie be slow and
almost no to few special effect be present i
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.111 0.543
inspired by 70 and 80 horror it follow be a refresh psychological
horror film with a simple premise and a chill concept the
cinematography be electrifying every shoot be beautiful and the score
hold brilliance it carry a very obvious john carpenter v
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.163 0.526
it follows be a horror film make for horror fans and its about time
one of that come around again this be a movie that be light on the
jump scares which be a delightful change of pace in the past few year
much and much horror have rely on jump scare
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.121 0.587
spoilers it follows begin how it ends mysteriously a young woman run
from her suburban home half dressed terrified confused she crosse the
road haphazardly then run back to her house pick up her bag and escape
in her care with her father shout after
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.033 0.528
i go into this movie confident that it would be a cheesy campy romp
with the same tried and true trick of the trade like when the hero be
investigate the creepy music come from the basement and a cat jump
into frame but i quickly discover that this w
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.064 0.558
of all the genres that hollywood have to offer the much tatter of the
bunch be without a doubt the horror department i be so sick of this
wannabe so called horror flick that belong on late night lifetime
channels im sick of the same old parlor trick
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.013 0.717
the film insidious have do something many horror movie have fail to do
recently and that be to be scary insidious have a lot of really
intense moment that scared and then grab hold of you its not entirely
make up of make you jump scenes which it doe
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.05 0.522
when i of see a preview for this movie i know it look like it have
potential it have be a while since i see a decent scary movie so i be
look forward to it i go into it expect some scare but nothing too bad
wrong this movie scare me out of my wits i
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.097 0.571
i go to a early screen of the movie last night and ism not exaggerate
when i say that i feel like a little child watch the exorcist for the
of time james wan do a very impressive for only a $800 000 budget for
this movie if youre go in the theatre ex
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.12 0.609
i be lucky enough to see this masterpiece at brightest this year
pascale laughers worry about this movie he be apologise to people who
despise it he be profusely thank the people who like it he be the
modern day equivalent of victor frankensteins he
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.149 0.577
what a experienced ism a big horror fan and be happy watch and enjoy
popcorn slasher movie for what they be but really the genre be cry out
for much picture that truly assault the senses the french be
particularly adept at paint bleak unforgiving lan
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.074 0.568
french horror have be push the boundary for some time now first there
be haute tension then a l intérieur and new in line be martyrs hype up
to take it all a little further and it did it definitely did its just
that it doesnt belong in the same list
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.037 0.558
this film be a terrify a anything ever released it take event from
modern headline and carry them to horrible but utterly believable
extremes performances photography editing score sound design direction
be all spot on i live in a neighborhood where
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.154 0.477
the film be introduce by the films writer director pascal augier at
this years brightest in london the organisers refer to the film a the
film they much wanted of the of show at the festival it be easy to see
why of all the film i see at this years f
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.124 0.652
on of impression the mist doesnt remotely seem like the kind of film
anyone should be excite about the mist what a bite like the fog then
stephen kings the mist that make it even worse directed by frank
darabont since when do he direct horror films o
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.154 0.583
ive be a member of iadb for many year now and rarely do i take the
time to comment on a film in addition i watch on average about 10-15
film a months split among all genre include horror lately thought ive
be very disenfranchise with much horror film
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.102 0.5
ill start out by say that ism a stephen king fan and thus i may have
some bias ive watch many steven king movie but have never give one a
rate this high most of his horror movie be in the 4-6 range with
classic such a the shawshank redemption the shi
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.119 0.44
if two year ago you tell me that within a couple of year two excellent
stephen king film adaptation would be released i would probably have
laugh it off films like the shining shawshank redemption stand by me
the stand and 1408 be usually pretty far
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.047 0.646
let me take a breath never have i have such a visceral physical
reaction to a film every not even with elem klimov come and see in the
last fifteen minute i be nearly physically paralyzed and then start
shaking realize how numb my body was and i be d
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.098 0.444
this be about a scary a i want to movie to be i genuinely jump a few
time watch this and once or twice mute the sound which make me laugh
write it but trust me there be scene in this film that challenge the
old ticker a cardboard box in the hallway c
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.007 0.536
in this day and age horror be get much and much creative by demand
since the psycho killer in the woods-scenario have pretty much run its
course a consequence of that be the incorporation of contemporary
technology and concept appear in the genre fou
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.124 0.524
directed and script by scott derrickson the exorcism of emily rose
2008 the day the earth stood still from a c robert cargill story
sinister be a exquisite realization of a original paranormal theme the
movie debut in this same towns sxs film festiva
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.061 0.658
dont watch the trailer or at little try not took i go into this film
only know the title and the fact i be wait for a scary movie to
actually be yep scary well i be in luck a sinister be exactly that
quite sinister i say try to avoid the trailer if u
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.143 0.529
ever since the very of trailer come out i thought now this look good
however some quite poor review come in so my dream be shatter slightly
but then suddenly some rave review come out even from my favourite
critics chris tooley who give it stars my f
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.053 0.546
battle royale be base on the shockwave novel by koushun takami which
be a bestseller in japan and which have become very controversial in a
very short time and it be really easy to understand why the plot be
relatively simple a class of junior high s
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.075 0.51
there have be contrast cry of greatest film ever made and pointless
gore fest make about br and neither be accurate in my opinion what it
is be a commentary about perceived real or otherwise problem among
japanese teen in the late 90 in one review so
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.082 0.54
this film be film that i believe have to be made and it be only a matt
of time before it was a yet it be a film that the us mainstream can
never have conceive making firstly to get it out of the way i will say
that i love this movie although at no po
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.5
kanji fukasaku make a film call battle royale back in 2000 hers make
plenty of film in the past ive see very few of them apart from battle
royale but ism always search for more battle royale be a film that
have affect many many people there be rabid
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.114 0.519
this movie be incredibly cruel and unrelenting it play a a single
feature divide into three sections dumplings direct by fruit chan of
hong kong cut direct by park chan-wook of korea and box direct by mike
takashi of japan each section be like a diss
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.134 0.368
wowf just go to go see this three short last night which be about of
min a piece i agree that cut be one of the much enjoyable horror
experience i have have since high tension takeshi mike be probably the
big name in the asian horror biz but i have t
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.02 0.615
this be a excellent blend of three horror film that characterize the
ideal representation of asian cinema each story be present with
ordinary people display quality of evil and depravity these director
use powerful cinematic storytelling element in e
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.228 0.525
three short film that be plenty extreme and if the ending of all three
leave us wonder maybe that be good i do however find the end of cut
much than a little baffling there again unsatisfactory ending of
eastern film a judge by westerners be nothing
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.086 0.658
i have utmost respect for want to my knowledge he and his buddy be
right out of film school instead of slowly build status by make
mediocre films he show the world right from the get-go that he have
something to prove along with silence of the lambs
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.058 0.522
since nattevagten i have not see a thriller that have keep me on the
edge of my seat a good a saw right from the begin this original story
suck you in and doesnt let you go until the very end thrillers a grip
a this one have become extremely rare in
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.046 0.596
wowf the critic werent wrong not since seven have horror be portray so
majestically from the of minute to last this film twist and turn you
till you feel rather poorly just like se7en the all-round grittiness
that director james wan create disgust an
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.007 0.5
not since se7en john doe have there be a serial killer with such a
bizarre philosophy behind his action not that jigsaw actually kill
anyone much on that later sure in light of the increasingly
deteriorate sequel its hard to think of saw a little muc
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.048 0.724
not only doe this movie create a extremely tense atmosphere the moment
it starts it have plenty of gore and violence to bombard your eyes not
to mention that it have one of the well twist see in any horror movie
watch this film alone at night with th
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.242 0.691
a tale of two sisters or janghwa hongryeon be a true masterpiece
brilliant psychological thriller heart-wrenching drama and grip horror
all wrap up in one beautifully orchestrate package from the intricate
plot to the beautiful cinematography to the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.161 0.606
the beauty the terror the poetry the horror the innocence the guilt
maybe thats just about all i should write in this comment for a tale
of two sisters the well thing be to just watch this movie without know
anything about it i myself didnt even know
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.229 0.491
the recent history of hollywood remake of ghost horror film from the
east have be dismal this film will inevitably suffer the same fate so
get a copy on e-bay or similarity be good photograph and the sound be
superb viewing on a good screen and with
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.167 0.446
i of see this film two year ago in the cinema and fall in love with
this dark tale of two brood teenage sister cope at home in their large
country house with their father and step-mother their relationship
with their step-mother be strain to say the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.078 0.474
eden lake masquerade a a touch and dark film but it be quite the
opposite in like another reviewer have to register just to express my
deep disappointment in this film sure it start off with a normal set
which you a someone who be much likely use to
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.071 0.522
its be a long time since ive see this film during the time when i
still didnt bother and rate and review every horror film i watch
lately ive be re-watching some of that i like especially but a for
eden like ill pass not because it isnt good but beca
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.102 0.568
i just recently see a movie call the children where all of the adult
act like whimper baby a their of pound sandbag kid murder them gangs
of little eight-year-old child kill their parents and all they do be
cry about it and get angry at each other if
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.012 0.481
i canst remember the last time a film evoke such raw emotion in me ism
literally teared up and shake from anger pain frustration and
disbeliefs watching this film be a experience much than word can
described it play on pure emotion youre suck into th
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.034 0.64
i be a massive horror movie fan but this movie leave me completely
cold it be mean spirited cold and above all else unbelievably
frustrate and stupid at times on the plus side the film be very good
act by all involved and very good made but such be t
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.065 0.606
a fantastic performance by the films start james mcevoy be reason
alone to watch this film every personality on display be distinct to
the other and he be so interest to watch anya who be breath-taking in
the witch doe a fine job here took this be a
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.311 0.561
this movie will keep you watch wait for the next character come out of
james mcavoy he should have win some award for his performance of a
man with many different personalities james be very convince in every
part he played the end be great but i don
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.296 0.527
i be surprise to see that this movie be release last year was ism
write this and i didnt hear about it take in consideration how promise
the plot is split be about three girl get kidnap by a man with
dissociative identity disorder did that have of pe
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.308 0.578
what a remarkable film the premise of the film seem quite superficial
at of but a the layer be peel back theres so much much beneath it a
horror film without special effect goree a action flick without any
car chases a high-tension psychological thri
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.061 0.485
shyamalan have his debut with the critically acclaim the sixth sense
follow by positively review movie unbreakable and signs after that he
go through a series of dud with lady in the water the village the
happening after earth and be term one of the
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.148 0.544
the devils rejects be not always a easy film to watch it have a
genuine savagery that make recent film such a hostel or saw ii non
spectacular though they were appear rather tamed think part of the
reason the film be such uncomfortable view be throug
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.043 0.417
i of see this on a dvd in 2006 this be way well than its predecessor
house of 1000 corps it be sleazy gruesome and actually funny at times
otis baby and captain spaulding r the outlaw pursue by william
forsythe the rock once upon a time in american a
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.167 0.519
i go to this movie have see 1000 corpses which i think be a great
retro style horror in the texas chainsaw massacre genre this movie far
exceed any expectation i had zombie nailed it in this one classic
freeze frames awesome soundtrack used with purp
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.09 0.651
alright i never bother with house of 000 corpses mainly due to the
poor review and the fact it look like a texas chainsaw massacre rip
off as a matt of fact i wasnt that interest in this movie at first but
the early buzz raise my interest and i go ou
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.08 0.626
i go into a screen of this movie completely blind i hadnt see 1000
deaths and i havent even see any of rob zombies videos i do like his
music btw i have essentially no idea what to expect this movie be what
natural born killers tried to be its kill b
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.028 0.533
in my opinion house of 1000 corpses be a fan movie fans of both the
horror genre and rob zombie be likely to love it though i do not count
myself a fan of either i do like both at times and i be quite familiar
with both those familiar with rob zombie
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.104 0.534
its sad that a film a wonderfully make a this be so grossly
misunderstood a let me say this right off that bath if youre idea of a
horror film be i know what you did last summer and you consider scream
and the exorcist to be the much shock film ever
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.087 0.508
i already have a user comment for house of a 000 corpses submit here
on this site date over a year ago and a um a not very praising in fact
my of view of this film be so disappoint that i excessively discourage
other people here to see it rather than
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.135 0.571
i see this of on cable channel in early 2004 wasnt that impress a a
horror fan rob zombies debut be a throwback to the horror film of
yesteryears stirring in element of the texas chainsaw massacre he do a
awesome devils rejects bad halloween remakes
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.1 0.367
this movie deserve allot of praise simply for how good it play on the
norwegian cultural memes visually it be also quite good a it show of
the landscape and place in which the folklore of troll actually arose
and of course spice it with lovely comput
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.021 0.417
i see this at sundance last friday and have to say it be the much fun
i have have at the movie in a long while the story be film in
mockumentary style a la cloverfield and have a healthy dose of spin-
dry scandinavian humor to accent the dramatic and
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.342 0.526
ive be look forward to this ever since i of hear about it it sound
fantastic a group of three university student be make a documentary
about a series of mysterious bear killings but soon discover that it
isnt bear do the killing but trolls actual rea
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.489
this movie be a huge surprise for me i do not expect much but it be
one of the well movie of the year for me i have to admit that i be get
pretty sick of the usual movies recently i notice that after watch
thirty minute in every movie good or bad i g
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.009 0.498
we have all see the monster movie lately they always seem to included
zombies vampire of werewolves the troll throw monster movie through a
loop by insert the mythical troll the act be very much above part not
superb but good above average the specia
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.111 0.534
its no big news that the horror industry have be in decline for the
last or so years western horror movie have all be dry-ed up and
hollywood be desperately remake any asian horror that have a plus rate
on because there people be still make good horr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.159 0.57
first of all if youre a horror fan see it you will enjoy this film
period know this ive see a billion horror flick from all around the
world this one give me the creeps first 20-30 minute you still have
time to relax from scare to scared but from the
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.294 0.486
this asian horror film start off with a young couple tun and jane
drive back from a get-together late one night and hit a girl that
suddenly appear on the road this may sound very clich to season horror
fans but what ensue in the film be anything but
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.2 0.685
i see this movie for the of time week ago at the bangkok international
film fest and it be amazing not only be it scary a hell ive never
scream so much in a movie before and ism a avid horror movie fancy it
have a wonderful and original plot line thr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.095 0.591
shutters begin when thun a young photographer and his girlfriend jane
accidentally run down a young woman on their drive home they decide to
leave the dead victim and drive away later thun discover something
strange when he find a mysterious shadow t
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.071 0.516
let me begin by say i dont like horror movies i dont enjoy jump in my
seat i dont like be afraid of the dark for the next days and i usually
hate spanish movies so usually i only see the big horror classics and
that be because ive read enough spoiler
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.242 0.63
i see this at the brightest and its amazing do the previous reviewer
even see it no real shocks ive never see a cinema jump like the
audience at brightest for this film ism kind of tempt to name the
shock but i wont its such a stunningly make film cr
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.153 0.499
bone chill terror with a hint of the fantastic await audience who dare
to enter the orphanage produced by guillermo del toro the orphanage
continue the tradition the filmmaker start with film like the devils
backbone and panes labyrinth by show the d
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.128 0.552
the orphanage be a slick and quietly chill piece of work base around
what else a orphanage a woman name laura return to the orphanage she
grow up in a a child with the intention of open it up again a a home
for child with disabilities together with h
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.146 0.55
i think the film be good but didnt really live up to expectations i
didnt find it that scary admittedly one of the jump scare work on me
but otherwise i never feel any dread loom in the pit of my stomach the
film be gory than the mini series thats fo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.001 0.497
it have become ritual for me to read the novel with once a year every
year since it be release in 1986 the story be much than a gore-fest
its a story about love and hope and friendship that be still
meaningful to me to this day the only thing this mo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.236 0.735
what persuade me to watch this movie be the bless bestow upon it by
the story original creator stephen king who claimed i wasnt prepare
for how good it really was he not wrong it be quite extraordinary the
attention to details the subtle but effectiv
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.001 0.609
this be one of the well movie i have see all years and one of the top
horror story ever told a its creepy simplistic and eerie be impress by
the enchant simplicity of the plot the lack of need for hollywood
special effects and the haunt atmosphere th
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.103 0.554
the others be a very remarkable film from much than just one viewpoint
in a era where you can only impress young horror fanatic with bucket-
loads of blood and gross-out effects amenábar actually re-teaches his
audience that fear be especially cause b
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.173 0.627
the others be yet another in a long list of great horror movie of the
new millennium i have always love ghost stories and this film have
easily become my favorite ghost story every its like one of the great
old black and white ghost story but better
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.144 0.574
its funny that i see this movie the way i do perhaps ism much
perceptive to little dramatic human touches but i see this movie and
be satisfy with it in fact i fall in love with it this movie be
chilling very spooky with a few moment that will make y
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.019 0.537
if i have to sum up this movie in a words it would be chilling a the
others be a delightfully atmospheric suspense film a its tense scary
and very memorable -- i dont think ill ever forget the image of a
terrify nicole aidman clutch her rosary bead a
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.094 0.476
alexandre ajar you have a new fan before this movie be release in
theaters i make sure to watch wes cravens original endeavor let me
just start out by say that compare to todays standard and conventions
cravens classic the hills have eyes seem almost
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.177 0.613
what make early wes craven movie so special be this early and daunt
atmosphere he be so good in create and this be what hills have eyes
2006 totally lacked firstly the music through out the movie be awful
and totally clich and unfortunately diminish
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.048 0.549
the hills have eyes although a remake of the original be everything a
horror movie should be typically ism not a fan of slasher flicks but
this movie have element i like to see in a movie i dont like to see
the protagonist make stupid mistake the old
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.037 0.643
i havent see the original but i now want to because this movie rocked
the movie start a a slow-boil suspense horror movie provide some
decent jump-scares at little in the theater and spend some time build
up character the movie then switch gear and t
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.049 0.535
shocking disturbing at time hard to watch all word to describe the
horror of be force to watch moore take his shirt off but this term
also accurately describe this brutally vicious upgrade on wes cravens
1977 low-budget horror classic what would you
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.149 0.528
and by rate i mean the pg-13 one seems like you can get away with
murder this day with a pg-13 rate seriously thought while this be one
detail that get discuss quite a bit even before the movie come out
many fearing no pun intended that taimi have lo
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.19 0.462
it take sam taimi to bring fun back to the horror genre and ism so
glad he did in a sea of torture porn and found footages garbagey this
be a rare jewel that make you realize what youve be miss a a horror
fan if youre into samas other works you will
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.144 0.58
seeing the trailer to this movie i expect to go in and have a few
scene that be one that make you jump but i also expect the movie to
have something scary in it that make you think when you leave the
theater if you be look for cheap thrills loud musi
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.194 0.566
i just feel compel to post this because somehow and i canst even begin
to understand how people and even professional critic like this movie
i dont get it i love evil dead and i still dont get it because this
wasnt campy -- it be just bad seemed thro
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.009 0.499
the early trailer for drag me to hell dub it a sick the return to
classic horror and for once at least they be correct sam taimi manage
to incorporate genuine thrill and terror use the old-fashioned format
of surprise misdirection and suggestion as a
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.024 0.489
southbound doe three thing well first it have some genuinely new story
to tell thats not typical for horror where the same few story be
iterate upon repeatedly second it have fascinate character that be
bring to vivid life with remarkably few brush s
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.258 0.514
checked southbound out at the midnight madness screen at tiff 2015 and
it be a blast a throwback to the horror-anthology style of the 80 but
with a fresh twist on the wraparound the device in which each segment
flow into the next be unique and add a
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.08 0.574
or at little a really cool version of hell several story connect
together to create one big vicious cycle of a horror story about the
misfortune of a few people to end up on the wrong side of the dessert
its a anthology that remind me of the twilight
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.137 0.485
this be one of the much surprise find in recent years it absolutely
have no right whatsoever to be a entertain a it is if you be a horror
fan you be in for a treat a it solidly check off every box one can
imagine its vary yet interlock tale serve up
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.069 0.532
first off the downsides some part of the movie seem a little draw out
the film be two hours and at certain times you can feel that its far-
fetched and i can imagine some people roll their eye at the storyline
and there will be some people walk out sa
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.117 0.691
ism not sure what the original comment leaver see last night but it
certainly wasnt silent hill see a critic screen last night and must
say i be highly impressed as a fan of the games and anything relate to
them my faith have be firmly establish in g
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.013 0.553
you have to approach any movie adaptation of a video game with extreme
trepidation think of the other corker weave all catch on tv in the
past super mario bros mortal combat resident evil stinkers one and all
doom be vapid but at little get close to
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.021 0.47
horror try psychological triller and you may be close to understand
why be it that i find silent hill such a amaze piece of work with that
in mind the reason why silent hill work for me be because it have a
story to tell granted some of us be already
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.065 0.546
for everyone who have see or be go to see or be think of see silent
hill do not go into it think oath its go to be a scary movie because
its not suppose to be its for intelligent drama base crowd who like
good visuals story line acting and mystery th
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.054 0.55
never post anything here before but after watch normi i just feel that
i have to write down my thought about it firstly do not compare this
to blair witch this movie deserve far well than that simply put normi
be probably one of the well horror movie
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.047 0.547
note check me out a the tasian movie enthusiast on youtube where i
review ton of asian movies anyone familiar with horror film know that
much of them be not scary at all some people enjoy gorefests with
subpar story line and character development i p
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.052 0.537
ok so i watch this at am with all the light off and my headphone on
and all alone in my apartments and i have to say i damn near soil
myself towards the end on many occasion i find myself hold on to the
edge of my sofa its that scary and believe me i
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.068 0.527
suffice to say i have never see a film quite like noroi it be perhaps
the creepy film i have ever watched note that i say creepy not scary
there be nothing that will make you jump in this movie but there be a
level of terror and suspense you ll be ha
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.014 0.594
the babadook isnt for the mainstream crowd if youre look for jump
scare and scary monster you wont find any here the babadook be a movie
that tap into the basal emotion of fear it portray the truly terrify
thing in life grief loneliness and despair n
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.013 0.525
never write a review before havent feel the need but after see the
star review of this filmi just feel compelled firstly what this isai
would say a cross between the shining and we need to talk about kevin
this film be desperately sad a woman who be
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.111 0.531
at of glanced the babadook may sound like a tale that warn people a to
not let child put creepy story up into their heads it may also a be
like one of that old horror movie with child be influence a by the
ghost the titular monster seem to have the p
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.131 0.621
youve hear of feel-good films good this be not one its creepy and
disturb pretty good all the way a good old horror fantasy with a nod
to the psychological canniness of nightmare on elm street but much
much economical in term of special effects cast
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.102 0.609
i see this film on copenhagen pix yesterday the movie be compare to
the orphanage and even though i like that film i be a bite in doubt if
i should go for it because i be not in the mood for a heavy emotional
mother and son horror-drama but its every
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.044 0.528
while do some research before review 1408 i be shock to discover that
this be the of time since 2004 riding the bullet that a film base on a
stephen king story have get the big screen treatment 1408 mark
somewhat of a comeback to the silver screen fo
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.053 0.55
ive never see a horror film quite like 1408--can you even call this
film a horror well its not the horror movie were use to see in this
day and age the film that be suppose to scare us nowadays be make from
the same recycle junk weave be see for year
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.127 0.422
if your horror movie taste run little towards chainsaw-wielding maniac
and much towards things-that-go-bump-in-the-night then this be the
movie for you based on a short story by the great stephen king 1408 be
one of the genuine movie sleeper of summe
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.063 0.6
just when you think it be safe to check into a new york city hotel
along come mikael hafstrom chill 1408 not since norman bates terrorize
guest at his motel have a pay customer receive such treatment during a
nights lodgings although somewhat much ce
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.192 0.561
please note that this review refer to the theatrical version and not
the directors cut dvd release which feature a completely different
ending mike evslin be a cynic he be the author of book that detail and
debunk popular ghost story and haunt hot-sp
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.048 0.482
this film be very notable to me for be the of a that i be aware of a
horror film to come out of a middle eastern islamic country for this
reason alone under the shadow be a interest movie horror film
generally work well when there be a sense of myste
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.126 0.494
i have be follow the recent festival news regard under the shadow and
shortly after it premiere at the sundance film festival it be promptly
acquire by netflix the fact that netflix snag it right away from other
major distributor should be a real ind
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.027 0.557
i see this at the phoenix film festival id say this be tie for my
favourite horror movie from that festival with eyes of my mother also
amazing ghost movie be really the only horror film that stand of
chance of scare me this days there be a few time
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.045 0.51
this be a film about war and its atrocities the primary goal of the
film be obviously not to be a horror film during the iran-iraq war and
especially after saddam missile land in many part of iran many be
affect psychologically children who start scr
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.113 0.637
under the shadow be such a wonderful surprise for me i have already
read some review and everybody be speechless about it i didnt really
expect something that good when i start watch film take place in iran
somewhere in the 80 when the iran-iraq war
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.127 0.512
why isnt this available in the us dont know how to describe this with
out make it sound like something its not but i have to say that this
be one of the creepy and much disturb film ive see in quite some time
its not perfect even if i give it a out o
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.117 0.524
this movie be very touching in fact almost painfully so i would
recommend it to anyone in the mood to engage in a thought-provoking
narrative about the human condition have to admit that when i of see
this film i do not expect it to be what it is the
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.086 0.574
sorry for the hyperbole topic but i mean it i be a horror movie
fanatic and i have become desensitize to cheap scare with loud noise
and murderer run around with axes i be very picky and only like one
out of every few dozen horror movie i watch i als
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.145 0.617
kiyoshi kurosawa kairo have to be one of the much mesmerize
supernatural horror film i have ever seen the film be load with
extremely dark and brood atmosphere and some scene actually scare
menthe photography by junichiro hayashi be truly beautiful a
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.12 0.486
ism a big horror fan and this be the well little horror yarn ive see
in ages well acted with some recognisable faces brian cox be great a
the small town coroner that lead the autopsy on the titular body in
one scene he even manage to give me a sad lu
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.116 0.544
and a simply wonderful throwback to the 1970s when horror was well
horror -- and not base on gimmick like found footages but rather
genuine scene-setting story building audience engagement and full-tilt
creepiness probably destine to become a classic
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.173 0.596
while investigate the murder of a family sheriff sheldon mcelhatton
and his team be puzzle with the discovery of the body of a strange
bury in the basement that doe not fit to the crime scene he bring the
corpse of the beautiful jane doe olwen kellys
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.029 0.454
i see this movie at night with my wife not know what to expect i be a
huge horror fan from old school nightmare on elm street to blood and
gore film like dead alive include a few foreign film like i see the
devil but in no way be i prepare for this a
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.162 0.573
from director andra øvredal trollhunter come one of the well horror
movie of 2016 the autopsy of jane does suspenseful clever and creepy
from start to finish this horror movie follow the story of father and
son played by brain cox and emile hirsch bo
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.181 0.607
baskin come from a country for which horror genre outing be quite
atypical to see despite not have much to compare with locally it be
clearly a passionate and well-made horror even when examine against
country that contribute to the genre much much f
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.092 0.581
came across this title while browse on read very positive review by
regular poster in hcb fortunately get a pirate dvd with subtitle for
of rupees the movie start very promising cops chat dine in some very
creepy motel the atmosphere be creepy the ch
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.01 0.508
id have my eye on this movie for over a years constantly check to see
if when and where it be get released the of trailer for it immediately
hook me and i need to see this movie now i finally have and i can
safely say the wait be worth it with what l
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.085 0.523
if you be tire of modern horror film fill with cheap and force jump
scare construct in a way of mute down the sound and then throw a
explosion of loud noise in your face to try to scare you and be rather
interest in watch a film fill with tension dre
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.05 0.509
the market for international artsy horror flick have be surprisingly
lucrative in the past few years with acclaim film like the babadook
and goodnight mommy and even the american production it follows and
the witch but probably the much imaginative a
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.052 0.616
kokuhaku for confessions be a real winner from japan just like the
title the movie be about the confessions of a group of people after
each confession a new detail be add into the story until it become a
complete story at the end feel empty very dist
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.039 0.513
confessions be one of the much savage brutal and poignant revenge
story i have ever seen it doesnt start off all that great but it by
the end i be in awe the movie begin in a japanese classroom on the
final day of class before the spring break and th
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.103 0.597
lionel shrivers novel we need to talk about kevin go place where few
novelist have dare to ventured she do a great job that entire stretch
where kevin go crazy be skillfully write and ms shriver deserve the
orange prize however director nakashima hav
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.037 0.522
a surprise box office hit in japan confessions make its way to the
toronto international film festival and also choose a japans entry to
the oscars however its a very japanese movie i can only recommend to
viewer who have see over of japanese film or
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.218 0.489
a good review doesnt always have to be long and there be really just a
few word need to describe this movie stunningly beautiful cinography
dark disturbing and yet great that be said dont diva into this thing
if you plan on watch a good fast revenge
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.094 0.491
back in 2009 director sean byrne bring the lovely ones to the toronto
international film festival tiff the film win the midnight madness
peoples choice award but it somehow never really catch on amongst
horror film enthusiasts i myself must admit tha
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.265 0.512
when i of see the description of this movie i think yeah just another
possession movie yawn probably go to be a waste of my evening but then
i take a look at how many positive review it be get and decide to give
it a go and to no disappointment this
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.037 0.496
wow a great horror movie i be slightly put off by the cover art of
this movie and almost miss this one think it be a slasher film it be
not i be not a fan of simple gore slasher movie and i visually
categorize this a something akin to devils rejects
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.21 0.578
the big problem modern horror film seem to have be make the audience
care about their characters generally they be so cliché bland dumb and
unrealistic that within the of minute of the film no one care any long
about their fate so when i see early on
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.077 0.534
this movie be tense disturbing with some heavy imagery gripping and
have great acting its not so much scary a its disturb different things
the way i see it watching it be a intense experienced theres some lack
of imagination in the underlie plot in p
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.104 0.412
ism floor by the poor reception this movie got its a love throwback to
horror classic with modern polish clearly influence by hp lovecraft
and body horror classic like hellraiser and the things if you like
classic horror i horror before cgi and jump
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.283 0.542
i be shocked see too many 80s feel horror or so called which be either
poorly film or the act be painful just hear about this and think not
another but happy to say this be very good its not go to win any
oscars for acting the script be not shakespea
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.131 0.642
first off ive see some negative review on here that have truly
surprise me after grow up a a fan of horror during that wonderful 80
period i can honestly say the void feel a comfortable a it doe
uncomfortable especially if youre a fan of that movie o
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.263 0.442
i attend a screen of the void at the nevermore film festival in
durhams ncc it be a remarkable throwback to classic john carpenter-
style films i hesitate to list too many detail about it since the feel
of the film be very much like a nightmare that m
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.032 0.439
i step into this flick without know what it be all about so it be a
big surprise that i find this one a gems can i say something negative
about the void well not maybe for some the story will be a void
because its all about weird things supernatural
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.064 0.535
this movie make you realize why so many other movie fail to be scary
not enough psychological elements what this movie doe right be that it
skip the goree and blood and over-the-top overact craze lunatic that
seem the norm in horror movies i see this
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.147 0.599
i of watch this movie with a couple of friends to be honest i be
expect a teenage slasher flick i be prove wrong the film circle around
a curse videotape that cause its viewer to die in seven days
investigative journalists rachel keller begin to unco
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.251 0.5
before i see the ring i use to think of horror movie a something about
a supernatural sometimes not supernatural force that gobble up people
in bizarre series of death usually accompany by blood and goree maybe
i ought to blame it on my own selection
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.211 0.589
the year be 1939 the spanish civil war be near its bloody end ten year
old carlos the orphan son of a slay republican be leave by his tutor
at a isolate orphanage for boys the school be destitute barely able to
provide enough food for the children bu
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.042 0.481
a beautiful atmospheric story about a haunt orphanage to date i think
its del torous much complete film combine his trademark visual with a
very touch story about war death guilt and grief and ultimately
homelike panes labyrinth the story be set agai
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.035 0.469
the devils backbone el espinazo del diablo aspect ratio 85 1sound
format dolby digitalduring the spanish civil war a young orphan boy
fernando twelve be send to a isolate board school where he encounter
the ghost of a murder child junior valverde who
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.031 0.484
the devils backbone be a spanish language supernatural thriller a it
consist of a haunt school for orphan boys a now in a american film
that would be all you get a ghost run around scare the young
inhabitant of the gloomy building a thats it and it w
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.343 0.536
great care have be take with the art direction you be immediately
transport to 1939 with francois army about to descend on the spanish
countryside even the crumble building of the boys school the character
inhabit play a role the actor be superb and
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.535
sleep tight be both a intense intrigue and a excite portrait of subdue
madness ¨mientras duermes¨ the official english title be sleep tight
but the correct translation be while you sleep which to me be far much
creepy live up to jame balaguero reputa
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.27 0.555
i have no idea what this film be about before i see it and boy be i
pleasantly surprised from the same director a rec and also set in a
apartment block this spanish gem have a great cast especially the lead
luis toward who play his part superbly fill
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.094 0.552
firstly i feel it be important to state that though the market say
everywhere from the director of recur and i understand why this be
nothing like rec i personally think that rec be a excellent film and
despite be a addition to a over exhaust genre a
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.156 0.49
i have see erect some month ago and i just wasnt sure i means how can
you tell if there be a visionary director or some random guy who just
get lucky rec wasnt so demand by concept and it all work out fine so i
have to check another one by and this t
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.121 0.529
as a horror fan i like watch at little one horror film every day when
i get the chance and recently ive notice a certain pattern in thriller
horror films theyre mostly thrillers with some touch of horror and not
basic horror mientras duermes sleep ti
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.05 0.601
although the word grudge doesnt quite fit the bill a part of the title
of a horror film -- one think the curse would have be much appropriate
but such be the curses of translation -- ju on hold up extremely good
a a horror film built upon a notion th
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.012 0.437
rika wishing megumi okina work for a social service agency in tokyo
although sheds never see any clients when a new case come in and
theyre short on staff her boss have to send her out her of case be a
doozy when she enter the clients home no one see
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.06 0.527
ju-on the grudge be not a easy movie to find in america for at little
it wasnt when i of write this review and after hear it hype to the
heaven in magazine such a fangoria and rue morgues and by word of
mouth a well i know i have to see it i finally
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.1 0.646
if you only love american cinema and hate everything not english you
ll hate it if watch ring make you feel that you somehow know a lot
about foreign movies you ll just sit and compare the two a which be
too bad because theyre both great in their own
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.009 0.707
unlike many of the reviews below ism not go to take cheap shot at that
who may not like ju-on will say however that any fan of supernatural
horror owe it to themselves to decide on this one for themselves
wholeheartedly agree with that who find this
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.126 0.538
sometimes i cannot understand the dissonance between me and a great
numb of movie reviewer on this page i have not see any trailer of the
sort because i didnt want to preview part that may spoil he movie with
that said ism so glad i watch this film t
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.083 0.434
ism not go to give a review of this film ill leave that to other who
can argue whether it be worth watch or not for me i feel it be one of
the well thriller with a horror bend that i have see in a long while
but herems the things i dont really like h
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.107 0.571
i couldnt believe my eye when i see the score for this film it doesnt
do it any justice and some of the review ive read here dont make valid
point in my opinion so i feel i owe this film my own review first of
all the tension man this thing have a ki
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.012 0.592
ive read a few review here both for and against the film ism a die
hard thriller fan and i think that this film be very good done it be
slow- but why be that a bad thing ism not sure it build to a great
ending a my only me be the actress who play ede
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.076 0.474
i be intrigue by the invitation due to the seriously glass of red wine
on the posters it look at once mature and allure but also incredibly
dark i convince my brother to watch it with me one night and this be
our story the invitation set itself up a
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.053 0.475
hush be a lot like the strangers except instead of stranger plural its
only one man and instead of a husband and wife be terrorize its a deaf
and mute recluses its very tense and cleverly write bar a few clich
trope that come with this kind of movie
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.008 0.588
great idea that unfortunately fall short of what i expected both lead
character be make to purposefully fall short in their ability to
outsmart one another by simply be mediocre at be the killer and the
obvious survivor so youre not so much glue in a
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.213 0.47
hush be a fast-paced modern slasher flick with a twist take on the
genre well the twist here be that the lead protagonist be deaf and
mute from her teen and the director-writer combo of mike flanagan and
kate siegel who also happen to be husband-wife
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.07 0.467
hush focus on maddie a deaf-mute writer live alone in a remote house
where she be accost one even by a psychopath hellbent on terrorize and
murder her and direct by mike flanagan who many have cite a a
contemporary horror maestros hush be a straightf
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.02 0.462
maybe it say something about me that i be able to figure out that she
be deaf before the movie tell me over and over again while that may
seem insignificant at first it set the stage for a overly predictable
movie to come not even come in at of minut
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.014 0.519
what be the ingredient of good horror a small contain location and
group of people a situation that force and magnify events a terrify
protagonists characters you care about authenticity this movie have
all of this in spades the location be a tiny se
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.14 0.597
as night begin to fall for a thirty day spell over a small alaskan
outpost village a motley crow of vampire come waltz in for a feast in
david slades adaptation of the graphic novel 30 days of night ever
since interview with the vampires vampire have
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.205 0.551
i have the opportunity to see this film tonight at a free screen at a
theater in chelsea ny with the director david spade melissa george and
josh hartnett all present at the screen and i walk in expect another
run of the mill vampire movie and walk a
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.021 0.561
30 days of night be easily one of the well horror movie ive see in a
very long time mostly because everyone involve seem to know exactly
what it take to make a decent horror movie its not obscene amount of
gore or monster jump out at the camera that
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.194 0.556
i didnt think i can get exit by watch a vampire movie ever again all
the great have make fine use of the mythology francis ford coppola
neil jordan steven norrington guillermo del toro and let not forget
one of the great ff we murnau of day of night
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.029 0.534
i really enjoy the of film the character be real they make
understandable decision in stressful situations it be a fresh take on
a very clich general zombie films the a film unfortunately have none
of that unrealistic character make the same irration
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.064 0.458
of weeks later have to be the much disappoint sequel ive ever seen
this review will contain spoilers however its nothing that the
filmmakers themselves havent spoil to start with lets start with the
much fundamental element of film-making camera work
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.003 0.59
this film sucks the director use only one shoot style shaky-cam the
director somehow end up read this review shaky cam shoot doe not equal
good unique or even a innovative shoot style its use by people who
need to cover up their lack of a story with
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.146 0.62
ism open to believe the us army be stupid- but that stupid how do kid
get out of the safe zone and manage to steal a moped ride through
london hang out at their house and meet their mother before the army
can catch up with them the purpose of putt th
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.427
having see of days later i think i be prepare for this but i be not
somewhere near the begin of the film be a scene that go from zero to
psycho in about second flat the begin of 2004 dawn of the dead also
have a wildly chaotic kick-off scene but unli
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.099 0.503
it be difficult to describe the movie actually to describe what be
attractive andor excite about the movie for me you can say that it
begin much than slow but will build up and be very disturb toward the
end ism not gonna give anything away from the
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.161 0.468
some movie ask of your time like other seldom dare to try these be the
much rewarding in my opinion because have allow ourselves to be so
absorb and entrench in their sagas our empathic connection with their
character can almost make us feel like we
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.047 0.61
as manipulative a a lot of hollywood fodder bedevilled should be a
sinker that it isnt be testament to its beauty commit performance and
a fine feel for harshness though overlong its powerful and
occasionally savage stuff we follow hae-won return to
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.1 0.569
bedevilled be another and once again brilliant tale of revenge come
from south korea which be in the vein of already now legendary
masterpiece such a oldboy and i see the devil what distinguish this
movie from the other one and justify itself to meri
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.195 0.398
first thing first i really dont know whether the people from the west
who arent that familiar with asian culture that too the rural culture
would really relate good to this movie but i think its one of the much
interest movie ive ever seen to be fran
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.116 0.619
if you be go to make a horror suspense gore flick that want to be take
seriously like this one obviously does of of all you need believable
character that the viewer can take seriously unfortunately of l
intérieur set a new standard for ridiculous an
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.063 0.581
the only shock thing about this slasher be its rate obviously some
people be really easy to please shock first off if the event take
place on christmas totally irrelevant for the plot by the way why be
all the foliage green was in late-summer green a
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.041 0.525
i can only blame myself for have watch this ludicrous film to the end
after all it be on cable and all i have to do be change the channels
but i didnt and now ill have hideous image burn into my memory for a
long time to come the plot be so unbelieva
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.064 0.49
i have to say ism a pretty big horror buff and its be quite a long
time since i see a film a offensive and irritatingly stupid a inside
the story concern a young pregnant woman who be menace in her home by
another woman who want to steal her baby one
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.065 0.522
how rare be it that we get a good monster movie the 1950 be fill with
monster movie that a cheesy a they were they be also a ton of fun
victor salva be a fan of that movie and it show when he write jeepers
creepers a fun horror film with a great new
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.154 0.523
victor salva auteur turn in b-horrorland be well than most mainly
because he be so much much interest a storyteller than many of his
genre contemporaries a jeepers have several thing go for it suspense
develope characters above-average acting and vis
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.207 0.619
every once in a while a new horror film come along that reinvent the
genre jaws halloween the exorcist a nightmare on elm street these film
not only prove to be entertaining but they add something new and
visionary to a market that seem to thrive mos
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.009 0.621
jeepers creepers have much in common with 1950 ec horror comic book
than any horror movie that have be make in the past twenty years a
that fact isnt bad its great a there be a lot of horror plot idea out
there that have never see decent expression a
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.126 0.583
i must say that abia be one of the good thai horror movie directors
from shutters body of and iron lady prove that they all can come up
with suspenseful tale together there be four story and each of them be
of minutes the four story be pretty engross
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.104 0.5
there be no such thing a asian horror even though there be plenty of
common elements each country have its own way of deal with horror
films especially stylistically abia be a new anthology project give
room to four thai talents the four story be eve
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.063 0.495
so ism go to write a little mini review for each short a they show and
a i see them and then do a review of the movie a a whole after story
of happiness effective little ghost story use testing a a medium where
a recently decease ghost talk to a home
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.19 0.537
its be a while since ive see a thai horror i really liked or every
maybe since the much memorable be shutter and i wasnt a take with it a
much people be though i want to give it a a viewing 4bia be a
anthology of four horror story of about a half hou
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.074 0.491
i have the pleasure of watch this thai anthology tonight separate
story without a wraparound i be pleasantly surprised the of story be
about a woman and her cell phone and all of a sudden someone message
her out of the blue she be kind of lonely so s
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.091 0.58
phobia be was be predecessor divide into short segments direct by a
all star team of thai movie makers that be maker of movie of the scary
kind its rather unfair to write a review of the movie a a whole so
instead ill write a bite about the individua
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.038 0.786
i admit this movie be excellent it get much scare and much gory the
movie have stories novice ward backpackers salvage in the end i like
of them novices be gory ward be scary backpackers be thrilling salvage
be scary yet gory and in the end be funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.019 0.517
an anthology be the sum of its parts so how doe this particular set
stack up novice a young man with a trouble past be leave to live among
monks where karma catch up to him interesting idea but lack in
execution and a bite bore until the end ward an
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.0 0.517
i quite like phobia so i be quite disappoint that this sequel with
five segment by different directors doesnt come close to match the
first what i especially like about phobia be that three out of the
four story have good suspense for horror with rel
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.058 0.689
in the plot summary it describe the last story to be scary but it be
actually very funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.056 0.587
well then what do we have here a modern horror film place in the 70
80s era i already like ti west thinking with much horror film today be
god damn awful it refresh to see one which pay homage to the classic
while try to be unique from start to finis
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.068 0.619
in the house of the devil a young co-ed jocelin donahue hard-up for
money to pay the rend on her new place off campus answer a ad for a
babysitting job way out in the boonies only to be plunge headlong into
a bizarre devil-worshipping cult in search
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.082 0.56
ti west who direct the underrate cabin fever of spring fever be a name
to watch out for the house of the devil although not fantastic prove
that west have a excellent eye for visuals detail and create suspense
this film feel a though it have come dir
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.022 0.461
i hear some good thing about this film before viewing and then on this
site hear some bad things ive come to believe that listen to other
doesnt always help its all about opinion and experienced and in my
opinion this experience be worth itai wont ge
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.024 0.498
contrary to common belief this film actually portray three consecutive
era of hungarian historical reality use visually shock symbolisms the
film start with the final day of fascism where one oppressive extreme
give birth to a other directly opposite
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.11 0.591
georgy palsies a feature taxidermic be definitely a milestone in
hungarian film-making it be a truly astonish experience and i would
thoroughly recommend it to anyone want to broaden their taste for
cinema i find the film to be a deep black comedy wi
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.057 0.53
györgy pálfi a feature length movie be taxidermia which be about three
generation of a family and all of them have something very peculiar
about them the of one be a horny officer his son be a very big sport-
eater and his job be very important of him
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.158 0.615
i think this be a true original and it make me break out in a sweat at
certain points not many film have a physical effect on their audience
there be some astonish moment and scene transition that be literally
breathtaking i didnt believe the directo
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.04 0.628
a soldier with a rich sexual fantasy and lot of time on his hand for
well said with his hands an obese man compete in eat contests a
taxidermists what do they have in common well quite simply put part of
their genes they are respectively the grandfat
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.165 0.529
i do not know anything about mike when i see gout i read about in a
magazine randomly and it sound like something i have to see then i
wait a few week until it be in the theatre here i tell my fellow david
lynch fan officemate they here be this movie
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.06 0.646
mike be probably one of only a dozen director to make 6-8 movie a
years yet he be the only one to keep not only a consistent quality at
this rate but also to keep surprise his fans gozu be a case in point
yakuza meet turn ugly when ozaki in a paranoi
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.019 0.548
this be perhaps the of movie ive ever see thats have me consistently
laugh out loud and then nearly creep me out to the point of passing my
pants dont get me wrong this movie wont have you shriek because of
frights but it will quietly nestle itself i
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.032 0.458
despite all the nice thing that people have to say about this film the
plot twist in it make it a utter waste of time spoilers follow
although i doubt i can spoil the movie any much than the director
already did although i doubt it make a difference
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.103 0.53
and so will faces slash throats dismember hands decapitate heads backs
arms feet stomachs chests in fact just about everything that can bleed
doe bleed in this movie and doe so copiously high tension aka
switchblade romance much well title be the wel
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.021 0.514
my god without a doubt i have not be affect by a movie this much since
watch the original texas chainsaw massacre when i be good under age
and the movie be certainly much than dodgy i couldnt sleep after watch
that and be very uneasy multiply a gazil
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.213 0.556
i just canst get enough of this film this year alone i have already
watch it time and the year isnt even do yet it work on so many level
and be so much fun the way the convention of the horror genre be turn
upside down while at the same time the stor
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.139 0.562
if you be a fan of art drama or you simply dont like the horror genre
i can understand if you hate this but for every true fan of horror
with at little a basic knowledge of at little cult horror through the
history of the genre this should be a real
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.141 0.446
this film be a horror movie that be poke fun at horror movie and movie
in general so if youre look for a film that you can cradle a scare
lady-friend to this be not the one to anyone who have watch southpark
britney spears episode you will know the p
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.214 0.504
the cabin in the woods be a spin on the horror genre from writers joss
when and drew goddard without give away the spoilerish part of the
plot ill simply say that it involve friend who fit the horror movie
stereotype jock slut party-guy nerd virgin w
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.287 0.52
ism a big horror fan i have be since i be a young child ive never see
anything like this movie before its a combination of everything its
take everything from every other horror movie and throw it all into
this movie but what be really impressive be
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.07 0.524
even the website of this movie give me the creeps and it turn out to
be one of the scary movie ive see in a while a we follow the touch
story of a young hong kong girl blind from her early years who undergo
a corneum transplant after soften us up wit
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.137 0.602
of all the horror movie genre in existence ghost story have always be
my personal favorites the hauntings ju-on the innocents ring the
shining all nice moody creepy ghost tales the eye now find itself at
the top of my list along with the aforemention
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.576
this be not the of time that a movie where the main character get
corneal transplant which not only make her see but give her paranormal
capability have be done a good reference be blink where madeleine
stowe be the receiver of the creepy transplants
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.183 0.445
ive be to thousand of movie in my lifetime and own hundred of video
and dvds so i be a fan but not a bona fide film critics a this be my
of online review my wife and i see the original dawn of the dead of
year ago at a midnight show and leave wire en
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.539
if you havent guess already i canst sing the praise of this movie
enough at last a zombie flick that be two very important things not a
b-movie of an absolutely crack a-movie just get back from the cinema
still amaze with the quality of this film i d
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.105 0.565
shortly after a numb of strange case begin to appear at the hospital
where ana sarah polled works a bizarre zombie epidemic hit the
milwaukee wisconsin area full force sarah escape her immediate threat
and meet a numb of other human who decide to see
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.319 0.547
i go into this movie completely excited and i wasnt even really
disappoint either the act be very good and i actually love how they
didnt follow the exact storyline they take the basic of the original
dawn of the dead and make it much contemporary i
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.065 0.586
the of thing you need to know before you watch ginger snaps be thats a
real horror movie that mean genuinely unsettlings disturbing makes-
your-skin-crawl kind of stuff and youre plunge right into this from
the start the open scene involve a mother an
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.294 0.69
ism so happy that i watch this brilliant gem of a horror movie two day
again that politically correct time where idiotic mtv-oriented teen
slasher and comedy be make in the sit be really good to see such
original film like ginger snaps why because it
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.167 0.534
brigitte now have the virus in her blood that destroy her sister
ginger in the of film so to prevent herself from change into the beast
she inject monksblood into her system but after a overdose she wake up
in a rehabilitation clinics which now she h
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.181 0.591
you know tis such a shame that neither of this film go wide release
sure they need a little touch up in some place but this film be
definite quality material a breathe of fresh air in the horror film
which be recreate itself once again a a truly impo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.227 0.56
this be the only sequel i have see that can be consider a improvement
on its original i m a great fan of ginger snaps and be really excite
about this film when i of hear about it unfortunately when it arrive
at the cinema i be to young to see it ism
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.171 0.525
ginger snaps of unleashed actors emily perkins tatiana maslany eric
johnson writers megan martin director brett sullivan the a part of the
ginger snaps trilogy pick up after the of one brigitte have infect
herself with gingers blood who have turn int
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.17 0.491
this be a enjoyable and surprisingly competent dev follow up to cult a
hit ginger snaps the of film be dark entertain and witty and a have a
good amount of tension and scares the sequel be good fun but a lack
the wit of the original and a certain amo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.054 0.536
i have see other film by jan svankmajer so i have high expectation
when i go to see this late release i be not disappointed this be
possibly svankmajers much accessible feature film a it follow a simple
linear narrative on a parallel to a a fairytale
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.289 0.701
i have the good fortune to see this at a special show in washington
introduce by the director a i just want to say that i find it
fascinating very funny and pretty unnerve at moments a friends of mine
have recommend svankmajer animate works which i h
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.098 0.497
the film be base on czech fairy tale otesánek greedy guts it be a
story of a love but childless couple karel and ozena whose big dream
be to have a baby to make his wife smile karel dig up a tree root and
carve it to look like a human baby so overwhe
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.256 0.697
i have never hear of jan svankmajer before see this after record it at
3o clock in the morning on channel four and i certainly wasnt
dissapointed this film a like the rest of svankmajer work be truly
original and unique its a must see for anyone whoa
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.136 0.393
----le pace des loups--- or-- --the brotherhood of the wolf--- or
-------el facto los lobos---- ---title in french english and spanish
respectively is simon one of the most original movies in modern cinema
le pace des loups be a very entertain movie
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.096 0.527
in 1765 something be stalk the mountain of south-western france a
beast that pounce on human and animal with terrible ferocity indeed
they beast become so notorious that the king of france dispatch envoy
to find out what be happen and to kill the cre
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.247 0.477
from what i see in the preview this look like a interest movie then i
hear from some friend that it be pretty good so some buddy of mine and
myself go and see it a i have to say that i loved this movie a i know
it be go to be subtitled and i know it
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.136 0.541
the premise of shadow of a vampires be simple what if max schreck be
really a vampire pose a a actor play a vampire in the murnau
masterpiece nosferatu well the result be both slightly scary and
pretty funny director elias merge and writer steven kat
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.187 0.578
every once in a while a movie come along that completely and maybe
consciously defy categorization and shadow of the vampires be a great
example a it be at once a black comedy a horror movie with a unique
setting and a bite sendup of the art and busi
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.223 0.724
a fictionalize account of the make of the classic vampire film
nosferatu direct by ff we murnau shadow of the vampires be a interest
yet creepy film but above all its willem defoe magnificent performance
a max schreck that make this film unmissable s
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.13 0.55
this movie be a true relief for everyone who think the genre of horror
and mystery be dead and buried it feel good to see that its still
possible to create movie like this even though the plot be rather
simple the movie seem to be very original and i
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.281 0.518
i wouldnt have thought that i can watch one much torture horror movie
and be entertain by it the loved ones however may be the last movie of
that subgenre to actually be worthwhile really worthwhile that is much
like wolf creek another australian hor
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.579
the horror genre be in a sad a state a every but its not for lack of
trying the talent be there the fan base be there the possibility be
there the main issue be a lack of common sense on behalf of producer
and distribution companies as with 2009 fabu
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.152 0.561
i attend the international premiere of the loved ones at the 2009
toronto international film festival in two words the film be a instant
classic sam taimi step aside this australian carrie flick be perfectly
execute in the hand of first-time feature
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.181 0.576
totally surprise by how awesome this was i be expect some campy
shallow high school horror film and instead get real thrills real
scares and real characters canst stress that enough awesome
performance by actor who have character write a real people
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.03 0.531
walk out in film be a dime a dozen bad act terrible script or maybe
the vibe be all off its all part of the hollywood game when people
walk out of raw in paris last year at its of screen it be for none of
this reasons the reason people walk out and t
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.043 0.613
i hear the hyper how this film be so horrific that people leave midway
through the film after be so repulsed they be physically ill i go in
with the negative expectation that this be go to be a gore fest
spoilers its not what we have here be a partic
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.094 0.539
we have all see the umpteen coming-of-age or sexual awaken story but
when be the last time you see a becoming-a-cannibal story this be one
incredibly muscular piece of filmmakings marry visual poetry with
slow-burn horror into one potent and delectab
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.024 0.602
for her debut feature film writer and director julia ducournau opt for
the particularly taboo subject matt of cannibalisms its a bold and
admirable moved a if theres anything that get audience member up in
arm and storm out of a movie theatre its the
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.058 0.402
what a disgust way to spend a hour and a half raw be one of that thing
thats disgust and grotesque but so intrigue that you canst look away
all the act seem good and the character be interest enough the movie
take a bite of time to really pick up and
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.111 0.467
the conjuring doesnt waste time in bring the scare in by that i mean
youre pretty much in the thick of it within three minute or so be give
some background via another very notorious haunt incident for what be
to follow the warrens be send on behalf
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.131 0.519
the conjuring be a shock horror film it combine every creepy trope you
can think of ghosts dolls music boxes mirrors you name it and it
actually work thank to a genre-savvy director behind the curtains
james wan have prove himself a capable producer
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.057 0.452
first the all-important question is the conjuring scary like jump out
of your seat watch through your outstretch finger scary the answer to
that be yes under james wants direction even the much cliched haunted-
house trope and this movie be burst with
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.199 0.629
wow wow wow ive never be much of a fan of sequel but the conjuring be
incredible ism never one to jump at everything scary i see in movie a
usually youve see it all before lets be honest nothing really scare
you much when your not a teenager anymore
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.379 0.625
the conjuring of be a excellent example of what much sequel should
aspire to be it be a perfectly execute haunt movie from james wan that
dive deep below the surface to explore theme of vision belief and
faith the family drama be still right at the c
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.305 0.5
i have fun watch red eyes its not a masterpiece but its good direct
and structured gillian murphy and rachel mcadams be perfect in the
role yes its the same old story with a different set but wes craven
give it a good pace at little not another screa
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.109 0.302
red eyes be all about lisa mcadams who be simply try to get home
during a bad weather snarl at the airport and find herself stick on a
red-eye and fly headlong into a suspense drama a busy fun little no
brainerd red eyes begin like a romcom morph int
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.159 0.486
what i like well in this film be that like the film of hitchcock it be
a thriller that doe not take itself too seriously hitchcock understand
that people go the the movie to have a good time something that
hollywood seem to have forget in recent year
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.034 0.503
ive see thousand of movie and have never write a review but the red
eye i witness be so at odd with the glow tribute post here that ism
compel to offer my two cent in protest- and vote the low score
possible just to bring the average close to reality
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.141 0.474
red eye be not the kind of movie thats go to win the pale door but wes
craven have never be that kind of director anyway and his brand be a
good indication of what a film-goer can expect the fact that red eye
be a tight little undemanding package at
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.377
saw this on a rent dvds been on my radar for a long time a the plot be
about a couple and their infant baby who move into the backwoods of
ireland a the male joseph male who be a expert in microbiology have
come to inspect the tree for clearance he b
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.042 0.425
the premise of the hallowd be nothing new a family in a isolate house
in the woods strange thing start to happen is there a logical
explanation unfriendly neighbor who want the family away or be there
something supernatural in the forest unoriginal c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.067 0.431
pulling from ancient irish fable and mythology the hallowd also know a
the woods take the fairy tale atmosphere and destroy it with
malevolence and forebode darkness tasked with unfortunate
responsibility of go into rural ireland natural landscape br
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.189 0.603
in ireland the botanist adam joseph male move with his wife clare
bojana novakovic and their baby son finn to a remote house in the
backwoods to study the local forest he be warn to leave the place by
his neighbor cold donnelly mcelhatton but adam do
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.293 0.593
i feel a if this film need to be praise a it carry out a very good
execution for such a overuse plot you have your typical family stick
in the middle of nowhere creature activity gimmicks fortunately play
out smoothly in the hallowd i feel a if the c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.278 0.621
i still have not see the original so go into this hear people say this
not a good i find this mostly excellent the two kid do a great job the
tension be mostly set just right the slow build-up at start be not
remotely tedious the actual gore be just
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.233 0.6
as a fan of the 2008 swedish film let the right one in i be originally
very frustrate when i hear the news about the upcoming remake how do
you ameliorate something that be already perfect i ask myself i treat
the remake with hostility and vow to sta
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.196 0.509
given the background to this film i must start by say i have neither
read the book it be base on nor see the 2008 swedish original after
watch this masterpiece i intend to do both this be a truly sensational
film when you canst really pin a film down
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.156 0.55
i be ashamed to say i have not yet see the original swedish version of
this movie although it be on my list of to does for the very near
future especially after see the hollywood remake which be in one
hyphenate words jaw-dropping the very of frame i
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.164 0.569
whether you be a fan of gothic horror or not let me in be good worth a
view and by no mean be it just a scary film it be so much much than
that before i go into the film itself i have to comment that this be a
re-make of a swedish film call let the r
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.115 0.59
not for the squeamish but the numb of twists inventive use of
situation use vampire mythology gorgeous visual extremes together with
interest and quirky character make this one of the much stun horror
film ive ever seen it descend into utter madness
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.175 0.573
director chan-wook park become famous all over the world with his
vengeance trilogy and even though i like that three film sympathy for
mrs vengeance oldboy and lady vengeance very much it be also pleasant
to see park explore different horizon with t
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.061 0.542
now that i have see it it be not what i be expecting at little not
until the very end i read some of the other review before pick up a
use copy of this from amazon and be glad i did having be of introduce
to parks work via oldboy i be curious to how
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.114 0.534
talk about get your sock knock off this new amaze movie from park
chan-wook would be my favorite new take on the vampire genre if not
for let the right one in which still remain my fave but this one be
right behind it a catholic priest volunteer for
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.009 0.565
i think this be go to be a creepy horror movie with a good tone and
vibe go for it i do like the atmosphere especially the begin few
minutes i think it would be one of that movie with a really creepy
feel to it with some clever element throw in i be
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.315 0.516
i be lucky enough to see this at a friend house last night go into it
blind and boy what a nice surprise whilst yes its another haunt house
movie this bring something new to the table with a great climax to the
film that really ramp it up the perform
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.036 0.432
middle age couple grieve the recent loss of their son move into a
remote house and find themselves catch between the evil in the
basement and the nutter from the local town swimming against the tide
i know but i find this really poor it open with nic
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.069 0.469
the plot be solid enough the movie be entertain enough also mean that
if you want something new to watch in the horror genre- this movie be
just entertain enough the lore can have be improve upon and with some
much back story perhaps even some flashb
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.459 0.737
this movie suck big time its awful in all its extension the actor be
horrible all of them it seem that they never act before but larry
fessenden beat them all in the wrong possible way gosh deplorable act
and the possession part i couldnt believe my
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.541
what a film soon have do it again this film have it all first the plot
it be the tranquil set of a family that be anything but a soon the
silence be shatter with event that make the unit fall apart there be
normal and usual films nowadays this be wha
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.081 0.614
even though the protagonist shamoto be a adults this be essentially a
coming-of-age movie in a doom world shamoto be introduce to murata a
psychopathy everyone seem to do what murat want them to include
shamoto wife and daughter shamoto try to go aga
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.19 0.704
mrs soon be a uncompromising filmmakers his resume be fill with odd
characters unnatural situation and twist that come at you from nowhere
this be base on a true story about a sadistic couple who kill dog
lover the truth be strange than fiction in th
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.14 0.499
after be shock and transform in transgressive visitor qu a decade ago
i once again find a movie that hit me in the face and that i will be
think about for days weeks month and year to come once again it be at
fantasia film festival and once again it
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.103 0.435
youre next is unabashedly yet another nuclear family andor rich yuppy
besiege by mask psycho killer at vacation home slasher right down to
the obligatory last girl elements but while the movies schema be
completely typical its execution smart script
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.164 0.481
youre next be direct by adam winnard and write by simon barrett it
star sharns vinson nicholas tucci wendy glenna adj bowen and joe
swanberg music be by mads heldtberg and cinematography by andrew
palermo the davison family and partner meet up for a
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.228 0.568
this kind of film be usually low rate by me its very rare that i find
one good film and that happen to be this one i be brace for another
disappointment then i totally get surprise when it reach half way mark
good twist took in fact there be many twi
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.234 0.512
my rate be give in context shawshank redemption or citizen kane it be
not but the maker be keenly aware of what they be filming i be not a
fan of scary horror or gore to put it mildly and after the of kill i
be on the verge of just give up i be glad
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.089 0.515
its a family reunion for the davison family the father be in the
market department for a huge defense contractors and hers loaded erin
sharni vinson be one of the sons new girlfriend a gang of mask killer
descend on the family but erin have a few sur
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.061 0.5
beneath all my suffocate inhibitions my inability to share my true
feelings my fear of do what it be that i really want to do there be a
character somewhat akin to hirata in sion sons why dont you play in
hell here be a ridiculous and frankly insane
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.048 0.592
i watch this movie few day ago and it be the of soon sion movie i have
ever watch in cinema the movie be quite funny with bloody scene and
mad character especially the film producer director play by hinoki
hasegawa a soon always does you can say that
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.131 0.432
the much movie of sion sons that i see the much i realize that he be
one of the great artist work today its a big claim and i dont like to
kiss ass but the man be one of the few people work in entertainment
and art that see through the current state
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.058 0.573
this movie exist only to impress you acclaimed japanese director stion
soon love exposure suicide club coldfish have craft a delirious and
extremely over the top comedic action thriller which will surely
impress audience all around the globe its very
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.172 0.642
wow what a beautiful and sophisticate supernatural movie about life
and death acting be superb plot very interesting music amazing very
atmospheric scary but also touch story about the ghost of a little boy
who have a special bond with his mother whe
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.222 0.561
i rent this on dvd today and be pleasantly surprised the dvd have a
alternative end for the movie which i be glad have not be used the end
that be choose be the well choice be immediately draw into this movie
with its intrigue story how each characte
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.042 0.563
two reason why i watch this first ive be recommend this film by a
friend secondly it star barbie hsu with a name like that why shouldnt
i want to watch this ok so i know she star in the taiwanese pop-drama
television series meteor garden and be just
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.198 0.503
this be a movie with much creativity its not just about ghost but also
sci-fi and many other factors dont expect it to be a typical ghost
movie its much well than ghost movie which just try to terrify people
many people will enjoy all the complexity
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.227 0.504
loved the plot in this movie and the twist and turn that leave you
guess until the very end if you dont like subtitles i would suggest
that you dont watch it but if your love something a little different
leg purfumer this be the movie for youth direc
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.385
i work at a video store and when customer ask me whats a good horror
movie that will actually get to them i dont suggest any of the freddy
or jason movies those be for fans and i dont consider them to be
genuinely frightening session is much definite
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.13 0.488
seeing a film like session just reaffirm that there be truly great
film still be made while many including the filmmakers will find
comparison to dont look now the shining and even a nod to the
changeling session still stand on its own a a much effec
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.195 0.579
everything about this movie impress me the script be lean and
inventive the direction stylish without be overblown the act top notch
even the shot-on-video cinematography look great with the exception of
one or two exterior shot that have a hint of v
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.154 0.584
made on a low budget this brilliant horror film succeed because it
doesnt fall back on any cheap gimmicks like special effect or shock
moments but instead provide a eerie forbid atmosphere and genuine
three-dimensional characters writer-director brad
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.045 0.505
well i keep hear all sort of disappoint statement about reincarnation
needless to say i be a bite reluctant to see it in my local theater
but then i remember that i have never see a japanese film on the big
screen so i go mainly for the experienced w
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.076 0.538
another one of the of films to die for from after darks horror film
festival this little japanese chill be a complex and spooky film the
movie follow nagisa a japanese actress who get the part in a horror
movie that be base on a real murder spree tha
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.147 0.518
reincarnation be a brilliant film plain and simple it be unique in
that it rely on imagination and psychology to scare you and make you
think twice about the world around you the director do a fabulous job
construct the imagery of the film and i genu
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.0 0.359
like a lot of psychological horror you have to invest some time and
energy in this film it appear to be one things but you be not prepare
for the changes and certainly not the ending really expect that angina
yûka in her of film be go one way and the
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.071 0.489
a young actress be draw to her role in a horror film and also to a
hotel from her dreams a hotel where eleven people be murder before she
be borne what be her connection to her character and the ill-fated
hotel i have two concern with this film first
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.054 0.52
yoshimi matsubara hitomi kuroki be in the middle of a nasty divorce
from her husband kunin hamada fumiyo kohinata the big issue of
contention be their daughter ikuko trio kanno kunin accuse yoshimi of
be unstable and he seem to have a point still yos
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.26 0.622
this be my idea of a horror movie no junko no noise no random jolts
but plenty of fear deliver quietly and compactly without fuss its the
much suspenseful movie ive see since ring and i think its even better
like that movie it put my stomach in knot
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.002 0.407
a story very similar in certain area to another story by hide nakata
but different enough to stand apart using similar technique to the
ring series nakota employ askew camera angles wide shot and the mix of
foreground and background show normality in
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.139 0.493
horror movie have become a dime a dozen in the past few years the
watchable one seem to fall into two category of later misguide
psychological thriller headline by a consummate actress witness naomi
watts in the ring of or jennifer connelly in dark w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.169 0.531
i see the skeleton key back in august 2005 during its theatrical run
and i can say it be one of the well horror thrillers of the years the
skeleton key be about a young hospice worker name caroline ellis who
decide to take a caregiving job outside of
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.209 0.655
intelligent stylish and compel all the way the skeleton key be one of
the well supernatural thriller in years young nurse take up a job at a
isolate bayou estate where she begin to believe that someone be mess
with some sinister magic director iain s
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.145 0.531
part of the success of this type of movie be set up and make sure its
resolution live up to its expectations i must say that in this film
everything seem to work and yet ism not sure what spook more its end
or the nature of its ending the film deal w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.09 0.519
in case you havent see the skeleton key yet be very careful when read
any reviews the little you heard read or even know about this film the
better because i assure that you dont want to pick up any spoiler
about this surprisingly original and ingeni
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.165 0.517
greetings again from the darkness this be my a first features from a
writer director this weeks but there ended any similarities ana lily
amirpour present the of ever iranian romantic vampire thriller that
blend the style of spaghetti westerns graphi
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.067 0.627
within the of min of this film anyone with any level of knowledge on
cinema can admit to the films uniqueness in style look and the neo-
genre it be try to create from the ash of genre such a western and
vampires that much be evident right off the bat
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.077 0.498
this be one of the much anticipate art-house horror films the fact its
do in persian with iranian director and crow absolutely peek every
filmophile interest unfortunately the hype surround it sometimes work
against anticipate release like this but t
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.065 0.471
spoilers i be a bite disappoint to learn after see a girl walks home
alone at night that it be not a actual iranian film turns out it be
entirely american fund and make in california its just that it have a
iranian director crow and cast while it be
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.075 0.591
this movie drain me without a doubt the much unpleasant and despair
movie ive ever watched its not just the graphic imagery that get to me
but the overall tone of the movie be incredibly dreadful and you can
almost feel a presence of some sort of evi
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.651
an eerie yet gorgeous tapestry of linger close-ups parallels cut and
slow-motion photography lars von triers antichrist be a gruelling tale
of mythical grandeur a bizarre yet beautiful film chock full of sadism
and shagging satanic dogma and similes
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.057 0.487
where doe horror reside in the psyche lars von trier have establish
himself a a maker of serious avant-garde drama he come to fame through
breaking the waves a controversial story of how far someone would go
for love he found the dome movement of ver
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.089 0.567
this movie be violent and very sexually graphics border at time on
artistic but hardcore pornography but it isnt lurid for the sole
purpose of scandal gory appropriately describe some section of this
film but the word by no mean encapsulate it if one
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.106 0.534
for the incredibly stupid front page reviewer here its not even a
review really just whine with no substance by somebody who doesnt seem
to like or recognize horror ism not affiliate with the film in any way
feel free to look at my other reviews ism
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.223 0.573
caught resolution at a film festival this be a movie that you have to
see a there be no way to really describe it it doesnt fit into any
sub-genre within horror but it definitely belong in the family the
film be one of the much creative and unique iv
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.133 0.516
peter cilella be commit to get his well friend chris vinny currane to
sober up and get his life back on track but what begin a a attempt to
save his friends life quickly take a unexpected turn a the two friend
confront personal demons the consequence
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.011 0.465
as the other reviewer already stated this be different i have no idea
what it would be didn t read the synopsise the movie be part of a
festival but i be really pleasantly surprised a little movie that
could its not without flaw mind you but you can
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.067 0.548
fee alvarez just give green room a run for its money with dont breathe
a incredibly intense film and glorious exercise in suspense its one of
the well studio-produced thriller ive see in years the premise be
simple a group of teen plan to break into
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.075 0.58
three burglar find out about a blind army veto live in a abandon
street sit on a huge amount of cash the three burglar break their rule
of not steal cash and decide to rob the place think it would be a
piece of cake and of course it isn t the blind a
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.047 0.563
its pretty rare that i get hype for horror movies especially modern
ones but i be a little hype for this i think the premise be
interesting and it have potential to be scary i wouldnt call this a
disappointment because it miss the bare basic of what
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.478
how do this film and i struggle to call it that receive so many stars
that be the real mystery here the story centre around kid who break
into houses two be dating and the third-wheel be a quasi-moral-
objector who follow along because he think hers i
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.397 0.602
i personally think this movie be one of the great horror movie every
teresa palmer and gabriel bateman act be very good absolutely credible
almost like rosa byrnes performance in insidious which be flawless the
cinematography be good dark scene prett
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.127 0.554
this movie will get your pulse up fast reveal the horror very early on
interestingly enough it keep that pulse up throughout the movie
despite of this the concept of something that can only appear and be
see if its dark and with a somewhat supernatur
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.322 0.47
lights out doesnt break any new ground nor doe it really attempt to of
minute of pg-13 jump scare and basic horror trope in the vein of the
grudge not bad for a summer fright fest but dont expect much a you
wont find it here technically it look and s
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.103 0.546
lights out be a interest stab at a horror movie base on a 2013 short
film of the same name the movies novel concept be a creature that can
only be see and manifest in the dark turn a torch on and it disappears
naturally this mean that a lot of the mo
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.043 0.48
lights out of a eerie silhouette of a human-like creature loiter down
the hall you repeatedly blink in a attempt to mould its blur lines but
the dishevel contour of the unfathomable spectre remain absolutely
motionless lights on of nothing there ligh
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.09 0.649
this be a movie make with the confidence of one who know exactly what
she be try to communicate the problem be that what be be communicate
be so far beyond the norm that it be not go to be easily grasped
esther be a highly intelligent young woman the
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.019 0.534
disturbing a in my skin is the movie frequently pop into my mind
looking at the film on the surface i be disturb by the imagery a
apparently be the other people in the theatre who all leave before the
movie be over this be a movie that much like grou
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.145 0.59
saw this at a cult film festival youd think a cult audience would be
able to stomach depiction of self-inflicted violence but several
people walk out i canst really blame them it be a intimate and
plausible portrait of a woman who have live her life
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.087 0.489
in my skin certainly have some problems but one of this problem isnt
originality and while thing such a a lack of a true plot formula and
explanation for the central characters action may put some viewer off
the film deserve huge credit for step out
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.064 0.528
so ive read here and there that this remake lack the camp of the
original and i look back over year ago watch the evil dead on a crummy
rental vhs in the dark of my teenage bedroom one night the camp the
original evil dead be a terrify experienced ev
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.041 0.547
we seem to be in a time where the remake of remake will be remade even
film like cabin fever arent remain sacred the obligatory remake
follows evil dead now be a remake with a bite of bite of course it
have every possible cliche under the sun tick of
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.193 0.535
i have to say ism very surprise at all the negative review ive be
reading ism a avid movie lover frequent the theater at little twice a
week if not more something about be able to just sit back in a dark
room with a big screen and great sound its jus
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.13 0.534
devil dead five stars out of five the of five star movie of 2013 be
this long await reboot to writer director sam raisins 1981 cult
classic original the evil dead its a loose sequel that find a new
group of young adult stumble across the book of the
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.138 0.506
ah halloween of my favorite time of the years it isnt so much the
festivity take place that excite me a its the feel in the air once
october comes that palpable sensation you get see jack-o-lanterns
grimly light faces kid trick-or-treating in the str
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.074 0.491
for like two year trick r treat never seem to come off the upcoming
releases list i canst for the life of me see whit may not be a all
time great but it be so much well than odd absolute crapfests that be
actually fast-tracked into cinema over the la
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.087 0.467
before anyone cry foul over my statement that trick or treat be the
single well halloween-themed movie ever made allow me to back up the
statement while 1978 halloween be a masterful amaze thriller that
truly have no equal in the horror genre trick o
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.222 0.525
i see trick or treat last night a part of brightest in leicester
square all i need to say be it have a round of applause at the end
which doesnt usually happen in the uk and it wasnt down to the fact
that dougherty be there i have see thousand of hor
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.04 0.504
just when it look like the anthology movie be dead along come director
writer dougherty trick or treat to not only breathe new life into this
overlook format but also firmly establish itself a one of the well
film to keep on the shelf and revisit eac
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.119 0.501
after lewis thomas paul walker buy a car to pick up would-be
girlfriend vena leelee sobieski from college in colorado he learn that
his brother fuller steve zahn be jail on a misdemeanor charge in salt
lake city so he decide to pick up his brother fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.304 0.658
the idea of this movie be actually pretty good two teenager do a prank
call on a cb radio but the prank turn on them most teenager have
probably be in a situation where they themselves make a prank call at
the very least everyone know about it the fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.274 0.574
joy ride be a extremely entertain road-set horror thriller that be
surprisingly quite good the film be about lewis paul walker a college
coed who decide to buy himself a car and take off across the desert to
pick up a would-be-girlfriend vena leelee
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.185 0.435
in joy ride two brother than walker get involve with a big rig driver
over the cb radio while on the open road they set him up a a practical
joke and unleash all hell on themselves a the unseen subject of their
prank a know only a rusty nail a turn o
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.004 0.621
a very creative japanese horror movie in the style of ju-on its fairly
slow-paced be character and plot driven but this be the right approach
due to its clever intelligent and emotional script man start receive a
newspaper which predict tragic future
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.139 0.488
kyogen begin with a tight sequence full of foreboding a marry couple
with their young daughter be drive home from vacation when the father
professor hideki atomic need to send a email to get a internet
connection they stop at a phone booth and whilst
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.036 0.409
skillfully edit and highly tensioned kyogen be one every so often
discuss psycho-horror its be produce from the idea of the same title
japanese comic book of 1950s and follow the storyline of a solid
japanese novel from the same decade the comic book
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.037 0.632
having child myself this movie strike me in a very emotional way in
fact i be almost move to tears that doe not happen often if youre look
for a ring type horror flick this isnt it at times kyogen move rather
slowly and doesnt pack the creepy punch i
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.071 0.54
the conspiracy be about exactly what the title suggests conspiracies
from 11 to the new world order to occult ritual between world leaders
the conspiracy wrap it all up into one incredulous story that be
document a realistically a possible real foota
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.295 0.473
ive always have a love for conspiracy theory because they be surreal
and theyre just fun to research personally i enjoy be scare and horror
doesnt do that for me this day but the dialogue aspect of this do it
for me i like a horror film that actually
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.03 0.512
this prove to be one of the much surprisingly effective thriller i
have see in recent memory at a glance we have a unknown of time writer
director in christopher macbride match with a relatively small budget
of just under $1 millions maybe ism wire a
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.095 0.531
aaron and jim be documentary filmmakers who become fascinate by a
street preach conspiracy theorist a man who spend all his time spread
a message like a modern day prophet about how we be all slave and the
world be run by a group of rich man who be c
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.264 0.587
the story be about a couple of guy be make a documentary about the
people for specifically one person who be true believer in conspiracy
theories when their subject disappears they get wrap up in the
conspiracy theory and investigate it they end up s
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.101 0.57
in a way this film be a perfect example of form follow function what
well way to show how empty and perverse the model scene in los angeles
is than to make a empty and perverse movie about it if nicolas winding
rein want to make this point he have ma
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.199 0.516
this film start promisingly with a eye-catching and unsettle image
then the of dialogue for should i say direlogue scene starts and two
thing happen one the dialogue be awful two the instruction in acting
101 make the much of your pauses have be tran
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.087 0.554
i wouldnt really recommend the neon demon unconditionally to my
friends not because its a bad film quite the opposite but because its
the kind of movie that would inevitably lead some of them to think the
tell me to watch it and say it be great what
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.239 0.553
it seem that after the massive success of drive rein be be give the
opportunity to make the film he want to make and take a lot of
creative license think this be a good things and its a smart way to go
about a career in any creative industry achieve
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.201 0.452
nicolas winding-refn be a director who defy all analysis most consider
him a surefire commercial success follow on from his exceptional
adaptation drive back in 2011 however against all odd winding-refn go
darker much subversive and all together much
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.166 0.55
this somber yet deeply unsettle film manage to give me the willy even
in the less-than-ideal horrorhound weekend screening not soon after a
pregnant woman katie parker declare her miss husband morgan peter
brown legally dead she begin to have terrify
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.128 0.532
i dont write review much in fact i havent do so since david lynches
lost highway back in the 90 but have just see absentia i feel obligate
to share my thoughts this be a amaze horror thriller i cannot fathom
how a director work on a minuscule budget
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.16 0.544
if you come to this expect something along the line of saw then you
will be disappointed it be a fairly slow moving character driven
existential horror that said there be a good numb of scare and tense
edge of your seat scenes it be good do good cine
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.092 0.518
i do not really understand why the average rate of absentia be so low
well maybe i do understand if you watch this horror with the
expectation that you get a fast pace gore fill typical horror movie
you will be disappointed absentia be a slow one and
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.136 0.691
i must confess i be expect way much of this horror film it start off
quite good whence the rating but after the of of minute go downhill no
question be answered you be leave with a large list of plot hole and a
end that couldnt be much predictable an
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.105 0.589
this movie have a million dollar budget and i feel like million be
spend on the movie and the other spend on fake review on site like
this movie be one of the large piece of garbage i have ever seen
spoiler nothing come at night if you read the posit
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.173 0.372
i be a fan of post-apocalyptic movie and for the of minute this film
show promised good visual and mood but then it crawl repeat the same
shot and mild shock until after the hour mark at this stage you be
leave wonder when the real story be go to sta
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.004 0.429
nothing of significance happen during the whole movie its slow not
scary and a waste of time no answer to any of the question the film
poses just a bunch of people in the wood who dont trust each other and
some fatal disease that just kill everyone i
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.004 0.567
the director of the chill shutters create another terrify horror film
this creepy film tell the story about the survive half of a conjoin
twin who start to see her dead sister when she return home to visit
her dye mother through flashback we learn ho
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.065 0.612
in seoul the thai him masha wattanapanich be inform that her mother
have a heart attack in her hometown him travel with her boyfriend wee
vittaya wasukraipaisan to thailand to give assistance to her mother
once in her home him be haunt by her siamese
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.042 0.607
this film make ton of buzz from thai medium before its release give
the fact that it be a film of the director of shutters which become a
blockbuster in thailand a couple of year ago and star one of the much
famous thai actress masha wattanapanich as
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.263 0.486
i yesterday see its hindi remake adaptation so i know the suspense but
i didnt enjoy the hindi version and here for original despite know the
suspense i enjoy the movie during separation of conjoin twin girl one
of the girl die and she come back to h
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.133 0.531
thai writer-directors tanjong pisanthanakun and parkpoom wongpoom have
shoot to prominence in the horror genre with their debut movie
shutters which i have regrettably miss its theatrical run here but
much than make up for it by be the proud owner of
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.015 0.658
it be clear that the current cycle of horror remake be far from over
and the result so far have for the much part be surprisingly good this
trend continue with the crazies a reinvention of george romeros
little-seen 1973 original the plot be beyond s
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.166 0.495
a transport plane crash into the water supply of a small iowa town
some of the townfolks become infect and turn craze killers sheriff
timothy olyphant his wife radha mitchell his deputy joe anderson and a
girl from town danielle panabaker need to esc
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.062 0.55
the craziest a remake of a seldom-seen 1972 george romeo film be about
a small town whose inhabitant drink taint water and become deranged
the movie be slick but still terrifying rely not only on wacked-out
effect but also on unadulterated suspense t
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.014 0.454
i love this film so much to me it be completely original ive see some
other people say that this film be unoriginal and i dont agree i admit
the virus epidemic in zombie film be quite repetitive but i suppose it
have to be how else can we turn into z
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.059 0.536
the post-exorcist was produce a variety of quirky old-fashioned horror
film with big name star whose career be wind down but who be happy to
still be work and who add a touch of class to the proceedings psychic
killer with jim hutton tourist trap wit
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.191 0.419
how can i begin to describe this amaze film random image pop into my
head from memory tony curtis a a dash fortune-teller and huckster
prance around his san francisco bachelor pad wear a sorcerers outfit
one of his elderly female client be possess by
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.339 0.642
i see this when it of come out in the theatres with my sister---we
love it and be blow away ive since own it on vhs and now have the
wonderful dvd that be just released honestly give the year it be make
and such its not a bad film at all and be one i
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.265 0.561
this be a lose 70 horror classic the whole idea itself be great
although the whole growing on her back bite be a tinge too dodgy tony
curtis basically play a comedy role for the of half then show how good
he can be atsara do a excellent job play the
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.012 0.398
i vague recall this creepy movie from watch it year and year ago on
elvira movie macabre it be a movie i have no clue what the title be
but certain scene be forever burn into my memory after the internet
come along i begin search for some of the old
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.041 0.592
1966 death curse of tartu be a staple of late night insomniac in the
pre-cable day of television along with other no budget wonder such a
they saved hitlers brain women of the prehistoric planets and zontar
the thing from venus although the plot dred
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.015 0.749
bobbie breese play fade movie queen lynn roman who be unhappy because
young actress receive all interest film roles the assistant of decease
dr zeitman offer her the potion which should stop the process of aging
it work perfectly until ruth turn into
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.0 0.522
wowf ism actually speechless of i have watch lot of awful horror movie
in my life and i definitely know to keep my expectation low regard
late 80 low-budgeted monster movie a especially when the name fred
olen ray be even remotely involve a but still
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.157 0.593
this film be a fun under-watched gem from the 80s fans of the of house
have a lot to enjoy here certainly one of the only horror comedy
westerns i can think of but it work good in this picture dont expect
citizen kanes but if youre look for a enjoyab
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.125 0.542
this non-related sequel be so sweet-natured so tame and family
orientate that to assume otherwise be completely ludicrous there be
nothing in this movie that can possibly rate it above a pg max i
wouldnt even have reservation let young child watch ho
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.324 0.576
i love this movie because it just keep get goofy and goofy and throw
all sort of disparate element into the mix you have the the great old
mansion you have the nutty friend you have the obligatory 1980 party
segment but you also have alternative univ
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.01 0.451
this movie capture the mood and feel of many a bad was horror flick
and then add a few twist bring smile to your face the actor do a
excellent job of keep a straight face while deliver bad dialogue the
movies one-tone humor cause it to sag in the mid
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.172 0.489
i see monster in my closet one day back in the 90 when i stay home
sick from school it have always stick with me a one of the much well-
done tribute to 50 style scifi while also be a very clever spoof of
the genre the performance be all grade-8 chees
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.007 0.468
monster in the closet be set in the small american town of chestnut
hills california where mary lou jona leech a young girl the blind joe
shelter john carradine be all attack kill by something nasty in their
closets jump to san francisco the office o
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.013 0.366
in san francisco when several local be find murder in their closets
the rookie journalist richard clark donald grant be assign to
investigate the cases he stumble upon the scientist prof diane bennett
ddenise dubarry and her son professor bennett pau
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.089 0.523
this be a wonderfully goofy example of a self produced write and
direct vanity project while i be work a a crow member john carradine
comment to me before the burn at the stake sequence this be the wrong
piece of shot ive ever work on and ive work on
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.13 0.553
i see monstrous yesterday but now i can hardly remember it thats
rarely a good sign especially since i wasnt even drink while watch it
it seem that initial film take place some time before the bulk of the
film but be postpone by various problem befor
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.092 0.503
monster be a mind numbingly awful movie about a evil american concrete
factory are there any else in hollywood pollute the water of the small
colombian town of chimayo somehow create a catfish-like beast with a
predilection for lamb and loose women j
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.068 0.648
according to this film the event portray be base on fact mean that in
1971 a really dumb look monster the result of industrial pollution
rise from a lake to terrorise the rural colombian village of chimayo
before eventually be blow to smithereens wit
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.009 0.513
this be a totally bizarre british horror film which deserve cult
status of the high order i canst believe that this didnt have problem
with the censor it be a disturbing nasty piece of work and should
undoubtedly have cult status the mutations have d
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.236 0.556
how on earth have i never see this film before i watch it tonight
because there be nothing else on cable again lucky merit start with
some time-lapse film of plant-life and look like a programme from the
open university but then the soundtrack signal
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.107 0.487
ignore the uptight weirdo who spend 000 word bash this movie its very
enjoyable a long a youre a fan of the genre with many gratuitous lsd
reference and a real live carnival freak show how can you go wrong if
you think swamp thing be too intellectual
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.045 0.585
ok i see the mutation when i be young at a movie theater in paterson
new jersey and to this day i cant remember the co-feature but it scare
the hell out of merits a basic mad scientist story with a brilliant
but unbalance dr play by the late great do
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.085 0.444
this film be a definite cult-classic and a follow up to tod brownings
freaks perhaps a bite poorly made but with real freak like the
alligator woman pop eye and many more julie eger norwegian scream
queen be star and make the well of it if you ever w
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.097 0.445
despite a low budget and mediocre act with blue screen effect that
make you laugh this movie be actually quite good not many movie this
day be actually scary in a age where saw someones head in two make
people yawn it seem time to bring back some old
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.041 0.633
with all the horror movie make in the usa involve a haunt house you
would think one that feature one of the much famous haunt place in the
world winchester mystery house in san nose can would feature a unique
and compel story however this film fail t
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.532
this movie be quite a surprise usually the movie make by the asylum be
mediocre but this one be quite out of the normal standard the
storyline and plot be intense and something you immediately get
yourself immerse into because it be compel and intere
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.032 0.488
the actor especially the mother seem quite sincere in their roles but
the story itself didnt really make any sense it all seem so random
just random ghost at random time come after random people in random
way and do random thing with them all for no
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.039 0.499
there isnt a whole lot to say about the film so ill get right to the
point the act be by far the wrong part of it the performance be forced
uninspired and a pain to watch in some places that be said the film at
of seem to be pretty much a wish mash o
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.035 0.526
watch this movie closely if you dare and you will see certain of the
same fairly long sequence repeat only a few minute apart such a when
they be walk up the mountain and when they be search the city sewer
near the end not include the ridiculous loop
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.082 0.482
i suppose you should approach this stuff with a open mind but i have
difficulty do that a those word written my expectation for this were
quite frankly pretty low a i know that it be a 1954 low-budget
production a therefore i be prepare to tolerate t
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.141 0.451
some of the himalayan scene be interesting there be a conflict a to
who be run the show its typical of westerners to try to run roughshod
over their inferiors anyway the yeti be out there and if we bring him
for her back we can make a bundles everyth
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.104 0.588
i have a category of movie i call a good bad movie you ll either get
that statement or you wont if you be a real movie buff you ll
appreciate the value of a good bad movie this be a really cool twist
on the big foot mythology i see this on the sci-fi
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.004 0.55
the movie that the sci fi channel premiere on saturday night be a
decidedly mix bag -- mixed mean bad but watchable enough because its
free on tv that said abominable be probably the well one yet and one
of the few that i wouldnt have mind pay for a
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.12 0.465
him gonna need a big knife the flatwoods sasquatch terrorize victim
within the vicinity of his cavernous dwelling bind crippled preston
rogers matt mccoy still recover psychologically from a tragic fall
from nearby suicide rock which take the life of
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.112 0.513
the whole mythos surround bigfoot the abominable snowman or sasquatch
be a enthrall one captivate the general public since the of allege
bigfoot sighting in the early 1950s a numb of bigfoot film have be
made capitalize on the general populations int
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.056 0.534
this be often right up there on the list with stroll of and the room a
one of the so bad its funny movies we ll consider the budget and the
fact that it be never finished grizzly of come out remarkably well how
oscar winner louise fletcher get on boa
Movie title: Grizzly II: The Concert
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.249 0.567
friday the with part vie jason lives be the well supernatural slasher
movie of all time it be my numb favorite film of the franchises it be
one of my personal favorite horror slasher movies this movie be the
bomb this movie be the well horror slasher
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.319 0.513
friday the with part vie jason lives be my all time numb favorite film
of the franchises it be one of my personal favorite horror movies this
movie be the bomb this movie be the well horror slasher 80 movie in my
opinion they dont make movie like thi
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.062 0.592
from its spectacular squirm-in-your-seat open to its excite finales
friday the with part vie jason lives delivers still haunt by his kill
of the mask maniac two film ago our hero tommy jarvis thom mathews
venture to jason voorhees grave just to be su
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.059 0.54
with the exception of part of all of the jason movie just keep get
better a in my honest opinion this sequel come in a a far a jason
sequels go ps part will always rule and this sequel come in right
after part and of a part be simply a classic direct
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.038 0.317
ya gotta love al adamson only he would take footage from a 20-year-old
movie about gorilla in dive helmet robot monster combine it with clip
from a 30-year-old movie about elephant with hair mat glue to their
side one million c throw in part from a g
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.471
i dont care how many people vote this movie a out of this movie be
pure entertainment there arent very many painful moments lot of great
fun scenes and of course the adamson trademark of cut and paste
filmmaking vampire men of the lost planets the vi
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.121 0.466
huh what vampire cavemen a sex replace by flash multi-colored light
bulbs a guys in dinosaur suits a a film half make of stock footage
this isnt just bad its inexplicably bad a do not watch this alone a
make sure to have a friend or two with whom you
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.096 0.496
delirious surreals and savage tobe hoopers follow-up to his landmark
debut chainsaw for that not in the know be one of a kind while bear
the same signature stamp he leave with his predecessor a sheer
unrelenting onslaught of pure madness macabre and
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.034 0.593
a crazy homicidal man name judd own a shabby hotel in the louisiana
bayou and when he receive guest he go out of his way to murder them
and fee them to his pet crocodile some of this unexpected guest who
face this horror that await them range from a
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.53
well if you see the texas chainsaw massacre and be impress with
director tobe hooper your next move may be to view his a film eaten
alive i search all over for a print and finally be lucky enough to
find one and see this somewhat forget picture one r
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.099 0.551
not a good movie exactly but a significant improvement over much sci-
fi channel original movies it have some humor and the movie work well
when it be its silliest the much serious scene tend to just slow the
movie down if you like vincent ventresca i
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.089 0.602
mammoth be a pretty decent sci-fi creature feature spoilers dr frank
abernathy vincent ventresca be beyond thrill that his museum acquire a
freeze wooly mammoth especially when he pull a strange blue object out
of it a few day later a meteor shower s
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.099 0.474
ok its make by the sci-fi channels one of the king of ok too generous
cod movie production does anyone know if they ever make a good movie
that wasnt a miniseries dune and children of dune be good does anyone
actually expect sci-fi to make a good mak
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.102 0.519
the plot of the devils rain be very simple it concern the preston
family and a book their ancestor steal decade ago from a devil
worshiper name jonathan combis ernest borgnine combis have spend
century try to locate the book and will stop at nothing
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.069 0.483
context be everything for this type of film this be a 1970 era devil
worship film which be a genre quite apart from other horror movies the
american public be in something of a satanic-panic in the 70 what with
people listen to black sabbath and play
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.0 0.5
this have get to be one of the strange movie ever made yet somehow i
still find myself revisit it at little once a year despite the fact
that its seriously flawed i will attempt to explain why that is lets
begin with try to decipher some sort of plot
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.193 0.554
in africa a english sugar cane plantation owners pregnant american
wife be curse for her sisters stop the tribal sacrifice of a goat
christopher lee give obvious star treatment and always a welcome
presence a far a this horror fan be concerned be a r
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.112 0.475
a likable cast and and decent location photography make this low
budget horror film watchable jenilee harrison suzanne somers
replacement cindy on threes company play a 1950s great white huntress
in africa who interrupt a sacred tribal ceremony so th
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.01 0.466
if longtime fan of the friday the 13th saga have anything to say about
it the people behind this film will burn in the same place a its
hockey-masked start jason goes to hell the final friday be completely
preposterous out of place and a affront to w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.022 0.562
lets understand two thing about slasher horror from the 1980 of of all
they have a legacy of saturate their own market and secondly they be
simple story bear out of the twilight of a ever change world with this
in mind it would be easy to point out w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.162 0.578
major spoilers before you read my review there will be lot of hate for
this movie and if you be a fan of friday the with film like me avoid
my review at all cost because it be not likable youve be warned what
the hell be this movie this be not a jaso
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.024 0.541
not actually kill in manhattan surprise surprise jason be still at it
until a undercover fbi agent julie who make time to take a shower
trick him into a ambush where hers blow to pieces if you think be head
and limbless will stop mrs voorhees from re
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.031 0.533
the snake woman be a brief only of minute long painless silly and
quite amuse british horror film with some decent atmosphere and
capable performances its not memorable overall save for its sexy snake
woman but its entertain stuff its low budget enou
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.061 0.524
fans of atmospheric and story-driven 60 horror all over the world
should urgently combine force and catapult the snake woman out of
oblivion and into the list of favorites despite the compel storyline
and a acclaim director in the credit sidney j fur
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.063 0.508
its obvious that the snake woman be make on a shoestring budget the
production value be very low the special effect nonexistent and the
film only run for little over a hours but in spite of that sidney j
furies film be at little a interest example of
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.505
this be not a sequel to the of movie well only in name but it have no
character or storyline connection what so overran alligator be kill
people and animal in a sewer and surround area up to the local police
force to take him out sounds familiar the
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.2 0.49
this serviceable follow-up to the original alligator have absolutely
nothing to do with that movie a other than feature a alligator live in
the sewer of a us city i actually find this a fun tongue-in-cheek
little monster movie that work around the lo
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.083 0.518
alligator ii the mutations be a much than capable sequel to the of
classic spoilers a rash of death in the chicago swamp have leave the
local police baffled detective david hodges joseph bolognas be bring
in to lead the investigation which take place
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.054 0.502
another chemically enhance alligator grow to epic proportions lead to
a series of fatality that threaten a lakeside development project the
obligatory doubt and denial lead rogue cop bologna and rookie brown to
of convince the hierarchy that the titl
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.133 0.598
bert in gordon when you hear that name many people smile but some
trembled many of us remember his back project monster the beginning of
the end transparent giant the amazing colossal man and his malevolent
ghost tormented okay so his effect be usual
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.511
one of the zillions of 50 horror this probably be one of the of
monster movie i ever saw i must have be around year old when it be air
on chiller theater one saturday night in suburban new york i remember
particularly freak out and scream when the gi
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.114 0.568
hokey was sci fi from bert i gordon who despite the prevalent hokum
crappy effect and cheap sets keep crank fun flick from the 1950s sci
fi heyday its one of that films if you of see it a a kid its leave a
pretty strong impression just with the horre
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.459
interview with the vampires be a atmospheric highly grip film involve
vampires not a vampire movie whilst the latter would describe a film
that focus on its vampirism and may be judge on the sharpness of its
fangs this film involve vampires have all
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.162 0.664
in like anne rice be initially dismay that tom cruise have be cast a
estate but when i see the film i have to admit that he absolutely nail
the role i have always think of cruise a a pretty boy and not really a
serious actor especially since he fail
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.052 0.523
interview with the vampires the vampire chronicles aspect ratio 85
1sound formats dolby digital sdds17th century new orleans the
relationship between a ancient vampire atom cruise and his
bloodsucking protege brad pitta be test to destruction by a yo
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.11 0.545
i have a passion for film with dark settings whats even well be when
the film be not only dark and dismal but also deep and engrossing with
a combination of anne rices script and neil jordans direction the
overlook interview with the vampire not only
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.205 0.561
tremors be a flawless film write another commentator on this site and
hers damn right what a movie ive miss it in the cinema because over
here in europe this maybe play in vienna in theater for one week and
hardly anybody catched it but some time lat
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.13 0.519
out of tremors be often describe by many to be a cult classic which be
odd a the fact is cult film usually have a quirky quality to them that
separate them from the usual hollywood-churned machine a take re-
animator for example or even the recent rav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.258 0.57
loved the movie how can you not it have two lovably bumble buddiest
val and early play to perfection by kevin bacon and fred ward it have
a remarkably funny gun craze survivalist couple play completely
straight-faced by gross and reba mcentire it hav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.031 0.596
and they roll and they chew and they eat and eat and eat darn that
space people for solve the critter problem a this be one of that tv
late night movie that be totally awesome because of its creativity a
course while i watch it i have no dream of gre
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.158 0.478
eight flesh eat alien have escape from a maximum security prison in
space these alien be travel to earth to eat anything living the brown
family dee wallace stone billy green bushy scott grimes nadine van
elder be be stalk and trap in their own farm
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.321 0.39
critters try to be nothing much than good entertainment and simple fun
and succeed admirably at both decent acting believable characters and
a engage story prove once again you dont have to spend ton of money to
make a good picture
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.06 0.479
at the start of critters somewhere in space crites be be bring to
custody but of them escape so that hunter have to get them back now
this sequence can have easily last minute in any other movie but
critters doesnt waste time it take about one minute
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.062 0.475
blood beach rocks it have everything a saturday night movie need from
a giant phallic monster to a scene where every few moment the mic drop
into shot a popcorn monster flick give a unique angle on the jaws
theme some good gore fx and a good few jump
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.167 0.613
after several people mysteriously vanish from a south californian
beach authority begin the search for whoever or whatever be
responsible believing some kind of ravenous subterranean creature to
be the cause of the disappearances harbour patrolman ha
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.04 0.491
those darn film producer of the 1980 be at it again they be try to
scare us from go back into the water again first steven spielberg get
us with jaws follow by the infamous inferior sequels then we be treat
to a double-dosage of tentacles pair with o
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.005 0.633
heaps of potential wasted you have cute chicks they be thin and have
long hair there be a bikini contest announced everyone be on vacation
except one who be in grief so can be make happy and what doe this
movie do next to nothing with problem with th
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.009 0.491
i mean one always wonder who this people be who watch infomercial for
of minute at a time well here be our answer it be much fun and
interest to watch a infomercial compare to this do give three star for
the harbors and the chick who promise sex to t
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.336
the cleavage and hard body be spectacular and promise but the promise
of a bikini contest never materialize and there be no woman be natural
and flaunt their body and no sex it be almost like a taliban
republican ski resort otherwise the story be a j
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.277 0.555
the howling 1981 be a underrate cult classic werewolf film of the 80 a
masterpiece in all horror genre it be one of my personal favorite
horror movies from the director of gremlins and piranha come the
ultimate masterpiece of primal terror filed with
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.257 0.506
this be a excellently craft piece of work from former roger norman
student joe danted i wont go much into the plot but it involve a news
woman who get attack while in a porno shop view room to get her mind
off things a psychiatrist recommend she go t
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.043 0.462
in 1981 horror movie be on the verge of their great comebacks the 1970
give us alien jaws and the exersist but we have lose the creepiness of
the classic universal monster films such a dracula the mummy and my
personal favel the wolfman pop culture h
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.156 0.615
terrific modern werewolf film from director joe dante remain one of
his well movies news anchor have a terrify encounter with a lunatic
murderer then decide to seek rest in a isolate colony of weird
characters its about to become a hairy situation wr
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.396 0.702
attractive reporter dee wallace stones come to a small health resort
what she doesnt know be that all the resident of this resort be
werewolves the howling be one of my favourite werewolf flicks it
feature some of the well transformation scene ever f
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.023 0.577
i realize that this be not one of the much popular film in the howl
series i still havent see howling part of of or but ive read some
pretty bad thing about them the howling be my favorite one yes i pick
it over the of one which seem to be everybody
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.009 0.647
after the complete failure of a sequel that howling ii was philippe
mora return for yet another installment try a different more spoofy
approach this time but it didnt work out much better most of the blame
must go not to the direction but to the awf
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.042 0.505
howling be yet another horror effort where excellent idea and even the
mood and atmosphere of a horror classic be not cultivate or nurture
throughout the filmi be bring up in the era of the american werewolf
in london definitely the classic archetypa
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.017 0.622
the original howling be a fun little werewolf flick nothing too
serious just a simple but original premises some well-handled tension
cool makeup effect and a nice healthy dose of gore and violence to
round thing off compared to its much immediate ri
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.301 0.691
this film would have probably be horrible have they take themselves
seriously a fortunately they didnt and consequently create a fascinate
and entertain festival of murder revenge and art deco set design
vincent price be phibes a brilliant organist a
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.377 0.649
calling this horror doe not make it justice i wouldnt call it movie
either but film its pure art the set and art direction be incredible
the whole movie show the laura of 1920 art decos give it that classy
touch the script be also very original and t
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.272 0.62
vincent price play a dead man avenge the surgical team that lose his
wife on the operate table a nine doctor in allbone of them a nurse be
treat to nine of the much innovative creative outlandish death
imaginable the death loosely follow the ten plag
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.101 0.532
there be several actor in cinema that give away terrific performance
all the time no matt what role their cast in theyre always believable
and impressive but then even beyond that there be some actor whore
just born to play certain role and thats the
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.27 0.595
dr phies rises again be the sequel to the magnificent the abominable
dr phibes the original film achieve cult classic status through a
magnificent performance from vincent price a the vengeful doctor of
the title and a over the top absurd camp style
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.155 0.348
not a good a the of phies movie the abominable dr but jolly good fun
so long a youre not expect a horror movie this be a comedy the double
act of peter jeffrey and john cater a the bumble police officer trout
and waverley be a joy vincent price himse
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.235 0.645
may contain spoilers this follow up to the abominable dr phibes just
go to prove that you canst keep a good man down vincent price a
knowingly camp a every tip a nod and a wink to the audience through
his portrayal of byronic romantic hero anton phie
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.009 0.58
theyve get some nerve call this film alien of although certain element
have clearly be inspire by ridley scotts 1979 sci-fi horror classic
the film a a whole couldnt be much different a want tense
claustrophobic space-bound futuristic action not a ch
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.062 0.609
the of hour of this film be so painfully slow that it take me over
year to finish it ism not kidding ive have this on vhs since the
mid-90s and every time i try to watch it i would give up 1980 be a
banner year for italian do ripoffs a the film world
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.073 0.482
this massively incoherent dumb cheesy and amateurish italian early-
eighties movie-thing reward itself with the title alien of but theres
very little even no relation with ridley scotts sci-fi masterpiece
that single-handedly alter the status of the g
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.124 0.56
a lot have be write and say about alien of the unauthorized follow up
of alien i watch it year ago and just can remember the fall head
attack by a alien so i watch it again but my only concern be to catch
the uncut version english language a lot have
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.083 0.474
id hear bad thing about this like it be too slow confusing have too
much potholing in it but after finally watch this i feel the bad dub
and general stupidity of the script not to mention the great
soundtrack by oliver onions carry everything through
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.131 0.717
cmon people look at the title lole i remember see this movie on
saturday late night creature features year ago its a great cheesy
monster flick with hilariously bad act and two wonderfully moronic
hillbilly that add to the schlock factor the redneck
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.117 0.578
in oregon a meteor crash into crater lake and heat the water hatch a
dinosaur egg months later fish have vanish from the lake and a huge
dinosaur hunt cattle and human to feed the local sheriff steve hanson
richard cardella investigate the mysterious
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.231 0.47
this movie be a great drive-inn 70 sci-fi thriller i know much people
give it bad comment thought since it be suppose to take place at
crater lake instead because of the low budget limitation it be film in
california at some land form lake up there a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.027 0.526
and how they bear you right out of your mind the crater lake monster
be one of the classic bad film from the 70 make with no actor of any
note a embarrass script woeful direction and a tireless desire to fuse
horror with light comedy this movie intro
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.162 0.404
despite its budget limitations this be a great film proof that effort
and imagination can overcome lack of cash the opening in which cave-
paintings seem to show how some dinosaur at little survive into the
age of human beings be a nice red herrings a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.047 0.621
my god this movie be horrible i be quite a fan of shark movie and all
that jazz do i look forward to this new installment in the genre
however i must say that this movie be just ridiculous for this movie
to work i think they need to have some humor t
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.035 0.485
i be not expect something a enjoyable or over the top a last years
piranha d but i be at little expect some time kill shark attack fun it
seem however that they couldnt even pull that off the script be
horrific and the plot be ho-hum but much importa
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.028 0.595
seven young and pretty undergraduate head to a seclude lakeside
cottage in louisiana to take a load off and enjoy a wild and crazy
weekend away but thing take a turn for the wrong when a member of the
group be attack by a sharks isolated with no cell
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.061 0.556
warning contains spoilers though nothing can spoil this film more than
its artless existence in the first place quite possibly the wrong film
i have ever watch in my of year of life shark night d beat such
classic a demi mooress striptease barring th
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.105 0.501
this movie start out so great it have that whole jaws go on and it
really look like it be go to be a movie that would pay homage to the
classic jaws movies then it all come crash down hard and go downhill
shark night be without a doubt one of the stu
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.005 0.499
ism not a naive person i realize that animal in nature be kill and
sometimes slowly i just dont understand what it have to do with the
film why do they have to have minute of a innocent animal scream
before the huge snake finally coil tight enough to
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.02 0.532
in brooklyn in new york city the drug dealer mike logan john morghen
steal us 100 000 00 from his supplier and flee to colombian the police
detective seek out the touristic guide myrna stern meg fleming who
share her apartment with mike meanwhile the
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.044 0.464
there be so many version of this movie float around that i have
absolutely no idea what be cut from the version i saw and what wasn t
all i know be that it be the recent grindhouse releasing version
expect absolutely nothing from this movie other tha
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.169 0.651
i buy this thing use at a video game stores clearance bind i want to
get that guilty feel from watch something ive be warn be too intense
to watch i want the shock value i want to feel guilty and bad about
watch a banned film i be very disappointed c
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.032 0.59
professor harold monroe robert kerman aka porn star richard bollay
travel into the jungle of south america to try and discover what
happen to a group of three documentary film maker who have be miss now
for some time after locate a primitive tribe mo
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.116 0.552
cannibal holocausts be not the campy little horror flick i expected
its a serious and well-made movie and its a experience you ll hardly
ever forget according to trivium section the movie can only be see
completely uncut in the ec-ultrabit dvd which
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.001 0.363
yes this film be ban and heavily censor in a few place for be
disturbing it doe have some really good do gruesome scene but the real
censorship come from the cruelty to animals lets just say this film
doesnt have no animal be harm during production s
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.06 0.625
professor norman boyle paolo malcom move his wife lucy catriona
maccoll and acute a-hem little blonde son giovanni frezza from new
york city to a curse three-story boston house by a cemetery the dig
come complete with creaky floorboards crying moanin
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.043 0.499
this film along with city of the living dead and the beyond belong to
the gate of hell trilogy by lucio fulfil the film be not part of the
same story but rather share similar element and all three star the
great screamers catriona maccoll this one to
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.003 0.707
in new york dry norman boyle paolo malcom assume the research about
dry freudstein of his colleague dry petersen who commit suicide after
kill his mistress norman head to boston with his wife lucy boyle
katherine maccoll and their son bobby giovanni
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.118 0.618
now this be how a zombie film should be made whilst lucio fuci never
have the creative genius of dario argentol in profonde rosso tenebrae
and suspiria he certainly know how to make a good old fashion zombie
gore movie in zombi or zombie flesh eaters
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.216 0.627
of getting reception for new york city radio station be easy than youd
think on the island of matool of molotov cocktail be easy to ignites
but the flame they produce rarely stay light if youre throw much than
one at a time of dry menard like his boo
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.116 0.554
zombi zombie zombie flesh eaters be a classic gore fill zombie film in
italy its class a a sequel to george a romeros dawn of the dead since
in italy its call zombie but in other part of the world they class it
a a separate film and name it something
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.117 0.548
zombie be right up there with romeros film in term of quality you dont
have to be a zombie fan to like this film directed by lucio fulfil
this movie be one of the well italian horror film ever made its a
shame its not a famous a romeros series the vi
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.175 0.534
as co-founder of nicko joes bad film club show here in the uke all i
can do be stand on my chair and applaud wildly a true true instance of
a great bad movie its come a very close a to shark attack of which be
of course the best bad shark movie ever
Movie title: Cruel Jaws
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.072 0.515
disregard the many negative review of this film below it be actually a
odd little hide gems the story be about a man who win a card game
against christopher lee who then give him his large old house the man
move into the house with his family and the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.025 0.55
the heavy-handed criticism level at this film by certain reviewer be
mostly irrelevant this film have merit far-beyond be a simple freddy
krueger rip-off and be not i suspect intend to be that scary its
british humour of the high order and along with
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.043 0.549
the maker of funny man seem to have want to create a 100 english
version of such wisecrack horror figure a freddy krueger and the
figure theyve choose seem on the mark hers a live embodiment of a
joker from a deck of cards a other joker jester image
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.056 0.579
not in the little bite funny this comedy horror was although it break
my heart to say it make in britain and although it pain my very soul
to admit it star christopher lee how the mighty have fallen poor old
lee we canst blame him for appear in this
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.018 0.438
i canst for the life of me understand what the heck the user who post
about this movie before me be on when they comment it i buy this movie
at a supermarket wholesale at about $1 50 bundled with another crappy
horror movie and it be still one of the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.015 0.491
you have to see this movie much than once to understand and figure out
whats go oncin short after be reanimate from the dead greta von
holstein ewa aulin seeks revenge on a lover who jilt her by fake a
carriage accident and cause the death of its dri
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.056 0.505
this early d amato film bear some affinity to the work of mario naval
be a with century gothic horror long on style and atmosphere if short
on coherence the basic plot involve a brother who raise his sister
from the dead using a old incan ritual in o
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.142 0.546
1906 greta ewa ruling be rape by her brother the hunchback franz
luciano rossi they become lovers one day she meet dry von ravensbrück
its love at of sight her brother franz see it all with bitter eyes
greta get pregnant from dry von ravensbrück gret
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.001 0.494
in the mid 70s a a year old i be watch the late show and during
commercial i change the station to channel in atlanta gap a they be
show this little gems and i catch a few minute of it a it take me year
before i can see it on tv again and i have to r
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.013 0.468
el nuque maldito suffer from several alternate titles perhaps
distributor fear a stigma if it be out in the open about be the a of
the blind dead movies amando ossorio delight that that follow the
blind dead series with a a installment i have to admi
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.089 0.461
this film be my of introduction to the severely underrate blind dead
mythos despite their age they stand a some of the much hauntingly
eerie and frighten horror film of all time the film center for its of
half around two model we shall call them of a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.07 0.504
the blind dead leave the sanctuary of the templars crumble monastery
for the a in the series the float fright-fest horror of the zombies
aka the ghost galleon if there be ever a film thats root firmly in the
decade from which it sprung its this one a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.043 0.521
first of all horror of the zombies the title of the version i saw make
it sound like the movie be about something that scare the live dead
this turn out not to be the cases if fact this arent conventional
zombies at all they be much like undead pirat
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.078 0.643
what happen when you combine the lower-echelon of actors guild with
what appear to be the masterful effect of a high school edit suite you
get this oh-so-very-bad film from the outset you know its bad and the
producer dont seem to want to hide from t
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.073 0.617
this movie be so bad the gore be pretty cheesy the act be terrible
every time someone be killed we bust out laugh at how horrible it was
i agree with the other poster tho the strip club scene be pretty
amusing however it be a like a train-wreck we co
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.16 0.475
ok for that who dont know who peter bark is but have see this film he
be the strange little boy who look like a man and actually be a adult
too- we hope every time i get down and depress and want to end it all
i put this movie in and i be remind of h
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.137 0.6
this be definitely my favorite zombie movie its really unfortunate
that it be so hard to find and it go by so many different names i rent
it of a zombie but i purchase it under the title burial ground i
believe that it also go by its original italian
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.049 0.512
a movie of such bombastic ineptitude its not unlike watch sam taimi
try to direct a movie while at the same time be gang beat by a group
with electric cattle prod until hers stupid and even then thats
probably give bianchi much credit than he deserve
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.059 0.52
wowf this movie be awesome i love it burial ground be over a hour of
the well non-stop zombie action ive ever seen theres a brief attack at
the very begin on some professor a few obligatory sex scene in which
we meet the main characters and then befo
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.022 0.432
i canst explain why i pick up the dvds dog soldiers off the video
store shelf a the box art consist of poorly draw wolf and there be a
tag line that read from the producer of hellraiser a normally this
combination would have me wipe down the cover in
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.123 0.607
brillant i must admit that i be pretty skeptical when i pick it up
from the rack at my dvd retailer a werewolf movie arent they generally
so bad no one want to watch them buy them the fact that it be on sale
didnt help but i brace myself and get it f
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.063 0.537
if you be like me and be completely sick to death of the teen college
slasher horror that hollywood seem to produce by the week then dog
soldiers be then film for you this film have everything for the true
horror fan a great story good act lot of blo
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.162 0.473
when i get this movie i be expect cheesy american movie about soldier
against people in rubber wolf masks how much much wrong can i have
been this movie be brilliant and a refresh change from all the
hollywood junk about killer doll and such by the m
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.18 0.515
dog soldiers 2002 be my numb favorite well werewolf film of all time a
true horror classic i love this film to death and it be my favorite
action horror werewolf film in the horror genre it be numb because it
be simple it be soldier and werewolf and
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.561
i remember devil dog play on tbs almost year ago and my old sister and
her friend watch it and laugh all the next day its not that bad for a
made-for-tv horror movie but it be derivative mostly of the exorcist
and businesslike for lack of a well word
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.088 0.551
i run across this several year ago while channel surf on a sunday
afternoon though it be obviously a cheesy tv movie from the 70s the
direction and score be good do enough that it grab my attention and
indeed i be hook and have to watch it through to
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.047 0.567
boasting a all-star cast so impressive that it almost seem like the
mad mad mad mad world of horror pictures the sentinel 1977 be
nevertheless a effectively creepy film center on the relatively
unknown actress cristina raines in this one she play a f
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.316 0.565
bizarre horror movie fill with famous face but steal by cristina
raines later of tvs flamingo road a a pretty but somewhat unstable
model with a gummy smile who be slate to pay for her attempt suicide
by guard the gateway to hell the scene with raine
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.105 0.56
alison parker cristina raines be a successful top model live with the
lawyer german chris sarandon in his apartments she try to commit
suicide twice in the past the of time when she be a teenager and see
her father cheat her mother with two woman in
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.051 0.57
not this be not a great movie but i give the cast director extra star
for the cast ava gardner eli wallache chris sarandon john carradine
burgess meredith a very young christopher walked the be quite handsome
then beverly d ángelo and jerry orbach am
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.08 0.696
bored with the normal run-of-the-mill staple film to watch this
halloween that ive see over and over again i take a chance on the
sentinel hope it can get my horror juice flow again a mind you i have
just come back from see the dark castle remake of
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.037 0.609
ism rather pleasantly surprise after see ghost ship a i expect it to
be a lot sillier much dumb and inferior than it actually is still a
long way from be a good horror film but a step in the right direction
to say the least cast and crow pay attentio
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.102 0.517
the a movie produce by the production company dark castle and manage
by joel silver and robert zemeckis ghost ship 2002 mark a step forward
and constitute a neat improvement in comparison with the two previous
movies the house on the haunted hill 199
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.022 0.483
the savage team of a tug be ready to rest after the transportation of
a platform when they be celebrate in a bare the plane pilot jack
berriman desmond harrington offer them the chance of rescue a
passenger vessel vanish in the ocean in 1962 captain
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.527
amazingly entertain and completely stupid italian horror a pop group
purchase a mysterious unpublished paganini melody from a mysterious
old man turns out its the evil melody he write to sell his soul to
satan or something anyway when the band play t
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.219 0.553
the female rock and roll band form by kate jasmine main elena michel
klippstein and rita luana ravegnini want to release a new album but
their producer lavinia maria cristina mastrangeli refuse since their
song be very poor their friend daniel pascal
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.027 0.563
when a predominantly female rock band be lambaste by their producer
for fail to write a decent tune their male drummer purchase a
unpublished score write by violinist paganini who be rumour to have
murder his wife and sell his soul to the devil in ex
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.117 0.61
paganini horror isnt a masterpiece but it be a solid horror flick that
will keep almost all horror fan entertained the acting apart from
daria nicolodi deep red tenebre and donald pleasance phenomena
halloween is pretty bad and the rock music be extr
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.028 0.664
only really need to say absolute garbage of the high order and like
the ebola virus it should be avoid at all cost even for free or bore
to death do not attempt to watch this drivel its truly shocking linda
hamilton career have spin-dry into the barg
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.001 0.581
the presidents plane go down over the bermuda triangle it submerge
quickly elements of the us navy go to the last know position and start
surveillances some huge tentacle rise out of the ocean and do a lot of
damaged trip oliver lead a team on a subm
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.064 0.612
okay bermuda tentacles may not be the wrong say have do or quite down
there but it be incredibly bad and wrong than any of their offering
from last years it look cheap good the photography be okay if rather
drab but the edit be choppy and the whole m
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.014 0.3
hi guys every time i see one of this movies i say they canst get any
worse then i watch the next one and its worse this one really sucked
the marine or what ever they be didnt even shave and the woman have
about a pound of makeup slap on them i also
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.144 0.488
heading into the amazons a documentary team study a long-lost tribe
run afoul of a hunter search for a legendary anaconda and be force to
help him track the deadly creature this be a decent and quite
enjoyable creature features one of the well featur
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.113 0.613
its a stupid b-movie with enough quality to fly by and enough camp
charm to get away with such cinematic crimes the cast play it straight
apart from vight ism pretty sure he be drink during the shooting come
out with a inexplicable accent and a look
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.017 0.646
before there be snakes on a plane there be anaconda a hollywood
b-movie from the late 90 that be a notorious for its mix bag of actor
a it be for the gruesome snake that populate its plot in the film a
group of documentary film-makers travel through
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.201 0.57
growing up in the 50 give me the privilege of be one the last
generation of filmgoers to enjoy the saturday afternoon double-feature
matinee experience at the neighborhood theatre these double-features
be primarily low budget sci-fi epic with slender
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.112 0.545
there be two way to see this film and rate it as a movie that turn out
to be much wrong than it intend to be in which case its obvious that a
actor like jon vight would overact to try and make it look like it be
intend to be bad the special fix inten
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.1 0.463
years ago the people grow so greedy and hedonistic that they be no
long satisfy with worship a mythical god so the queen have sex with a
bull and produce the minotaur didnt turn out so good a few death be
involved and the creature be place in a labyr
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.275 0.456
welcome to the citizen kane of sci-fi channel movies not that minotaur
be faultless its just competent on so many much level than your
average sci fi-schlock fest that it appear great in comparison we have
some actual act go on granted there be some
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.233 0.562
ah minotaur see this movie in my tv-guide on a lazy saturday night the
review that come with it wasnt that good but i have nothing well to do
so i just give it a go surprisingly the story keep me entertain for
the whole of minutes tony todd be a real
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.043 0.486
cheaply make horror film from the 70 that be surprisingly well than
you may initially expect the film open in romania a soldier uncover
the underground tomb of the dracula family a soldier pull the stake
out of a puffy sheet in a open casket and be s
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.003 0.555
blending the vampire and creature feature themes albert bands zoltan
be a haunt filmscape canvass dracula faithful undead servant veldt
schmidt nalder and bloodhound name zoltan awake from their eternal
slumber to locate dracula last know descendant
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.066 0.375
this film be great dog lover should get a kick out of this movie
seeing zoltai lick his chop after bite both human and fellow dog be
worth a chuckle or two the reinfeld-type character be probably the
ugly human be i have ever seen pataki see in many
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.189 0.617
in general terms the basic premise of both original 1942 cat people
and the 1982 paul schrader remake be the same a exotic european beauty
be give to transform into a black panther when sexually aroused but
schrader unravel this fantasy concept in so
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.162 0.534
after look for year for his long lose sister irena dallier nastassja
kinski paul malcolm mcdowell finally find her and have her come to new
orleans where hers currently living while there she gradually discover
the truth about their bizarre past and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.119 0.431
this 80s film be much of a love story than a horror although it doe
have a few fairly horrific scene in in particular a rather graphic
scene where a zoo worker have his arm rip off by a black panther the
film open in the prehistoric past with a girl
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.103 0.553
despite have be young semi-conscious i be under five year old and
possess few actual memory of the nineteen eighties the decade have a
certain personal eroticism for me the powdery skin shimmer camera-work
the outrageous kink and camp of the clothing
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.257 0.653
erotic thriller with nastassia kinship star a a young female whoas go
search for her own inner self in many way a remake of the 1942
original but also in many way not a remake a film that stand its own
ground this have a quality of sexual awaken and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.139 0.549
allow me to save you of by offer something you can do at home that be
just a entertain a watch this movie go get a load of white and throw
it in your dryer now add in one red sock make sure everything spin-dry
so you dont end up with a bunch of pink
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.009 0.62
i wasnt angry about the fog remake until i hear that it be go to be
release by revolution studios a company know to house crap movies from
then on my hope werent that high and they sink even low when i see the
trailer it look to much like boogeyman o
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.087 0.485
i be so disappoint about this when i of hear they be remake it i be
worried but give it every chance to actually be good it wasn t
everything that be good in the original be ruin in this one there be
no atmosphere to it it be just a bunch of overly-b
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.096 0.484
john carpenters name be synonymous with horror films a few film be not
good received but hers go on to develop a cult status his movie the
fog be not consider a huge hit but have become near and dear to many
horror film lover bloody hearts so when it
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.093 0.476
i recently see the fog and then read a lot of the review post on iadb
about it in my opinion you people be be too easy on it can you rate
anything below a of can i give a negative rate to this film and much
of all ism write revolution studios and dem
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.02 0.481
since the original film be release back in the 1970s major advance in
special effect have buy some truly brilliant films unfortunately the
man in a furry coat doe not advertise this say advances the slow
motion sequence do add to the feel of the film
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.161 0.58
in all honesty i wasnt expect much and once again i didnt get much
certainly i have see much wrong than snow beast but overall i find it
lame with the only really good attribute be the scenery and john
schneider performance the effect be really not v
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.112 0.482
i have never hear of this movie and be a bite hesitant about watch it
think that this would be just another movie load down with lame
digital special effects i decide id record it on my der while i be at
work and watch it the next day ive actually ne
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.125 0.696
the gastro zombie be a man in a rubber mask the male lead try to keep
a straight face while spout ridiculous dialogue tura satan wear exotic
outfits makeup and eyelash which give the movie some camp appeal you
ll have a hard time figure out the plot
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.11 0.578
dont listen to that who claim this isnt a so-bad-it film its
terrifically lousy and laughably great from the dull mute library
music to the stock footage of la police car to what have to be the of
unnecessary nude-dancer scene since then a staple of
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.015 0.458
word on the street have it that the astro-zombies be one of the wrong
film of all time right down there with plan robot monster and the
beast of yucca flats and for once the word on the street be right this
movie really is a incredible stinker in eve
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.158 0.449
i like this make for tv movie about a cryogenetically freeze body be
bring back to life beck play the cold-hearted lad who die ten year ago
and be freeze by his mother wait for a chance for science to bring him
back via new medical technology his cyl
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.465
with this endeavour director wes craven will not in all probability
please many enthusiast of his other films the majority of which
involve a good deal of violence and bloodlettings but he doe a
workmanlike job with this account of storage cryogeny w
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.056 0.394
corporate exec miles creighton becky dies and be cryogenically freeze
in the hope that he can be revived ten year later the procedure be a
success and miles return -- without his souls you have director wes
cravens writer j do feigelson dark night of
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.041 0.531
there must have be a law in the 1980 that state that if you be to make
a a film to a set of horror movie you must make them in 3-d a this be
one of them along with other such fine film a jaws 3-d and friday the
with part iii in 3-d sad to say but i e
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.233 0.607
probably the well movie of the series i think okay thats not say much
but its actually quite enjoyable and probably the strongest plot wise
magazine writer who happen to debunk psychic end up buy the infamous
house for cheap blackmail the current own
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.109 0.524
night of the living dead and the texas chainsaw massacre be two film
that receive a unanimous critical bash when they be of released but be
now look upon a ground-breaking horror masterpieces that be also a
classification that can be use to describe
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.001 0.52
while i think that people tend to get a bite hyperbolic when they talk
about the last house on the left i do think its a fairly good film
especially give what the filmmakers be try to do and consider their
lack of experienced the era and the budget a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.062 0.465
i have see some film literally dozen of times they will remain
nameless but they be there some of that film be pure entertainment and
have leave a obvious mark on me i have see last house on the left four
times and there be no film that have leave mu
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.051 0.338
i of see last house on the left at the age of of at the drive in with
my well girlfriend this movie a early outing by horror maven wes
craven be so disturb to me that of year late i be still haunt by the
image on the screen the story of young girls a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.112 0.576
very funny movie by roger norman about a hapless busboy who work in a
fifty coffee shop and want much than anything to be accept by the
beatnik in-crowd he be prevent from do so however by his complete lack
of artistic talent not that much of the reg
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.118 0.493
not include almost every entry in the terrific edgar allen poe cycle
he did a bucket of blood unquestionable be roger commands well and
much entertain film and a coincidentally or not a this movie also
contain many reference towards poe a walled-up c
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.201 0.551
the lost boys 1987 be one of the well and the great vampire flicks
ever made a true schumacher masterpiece and a classic horror film i
love the lost boys so much it be one of the well true horror movie
ever make from the 80 i always love this movie s
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.429 0.659
the lost boys be one of the movie that i think epitomize the 1980 it
have a genuine 80 look and feel a good a a awesome soundtrack and some
fantastic performance by 80 legend like corey feldman this movie
really draw you into it and make you feel lik
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.278 0.587
this movie to me be much of a comedy than a horror a the scene i
remember much be the funny ones a not to say it be a pure comedy it
isn t a it be though a very good vampire tale a the cast be superb
even corey haim and feldman a this be definitely t
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.207 0.569
one thing i can always promise you be that when people talk about the
well vampire movie of all time the lost boys be guarantee to be on
their list in the 1980 film be all about action sex appeal muscle and
very good look teenagers joel schumacher wh
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.048 0.554
let me preface this by say that i do not view the trailer before i see
this movie nor do i really know anything about it i do not know if
that will lessen the impact at all but it may not sure what they show
in the trailer writer producer director mc
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.038 0.549
i be thrill to see a movie like wolf creek come out in theatres a
straightforward horror film not rely on clever twist except one small
one or gimmicks it be the kind of film high tension start off a before
that last act mindf ck and while i end up a
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.056 0.576
wowf like many other movie i review i literally only just see this and
i must say that ism impress with the sac this be a truly horrific
movie the highlights unknown cast- give the movie a very realistic
atmosphere i be so happy to realise that none
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.158 0.503
wolf creek be a fine example of a rare breed nowadays a horror film
that pull no punch and make no apology for frighten and unnerve the
audience three young people be hike in the australian outback when
theyre unlucky enough to meet mick taylor playe
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.095 0.609
wolf creek be very loosely base on a true story of the real-life
serial killer ivan milat who be convict of kill backpacker and dump
their body in the belangalo forest australia one of his intend victims
young british guy managed to escape and be ins
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.107 0.574
many people have make the connection to the friday the with series
with sleepaway camp for obvious reasons a they both come out within a
few year of each other and all the action take place at a summer camp
a however the primary theme in the friday t
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.129 0.59
horror film seem the easy way to make a quick buck in the 80 a there
be a abundance of them that grace video a i dont think half of them
actually make it to the big screen a you can add sleepaway camp to
that list a this be a typical scary film a it
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.039 0.538
this 1983 horror slasher gem be write and direct by of time director
robert hiltzik the story begin with a boat accident which kill the
main character angels father and brother we then move forward in time
now angela be live with her aunt martha and
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.128 0.527
it have be year since i see this movie but i remember the key elements
young girl be harass at camp her bully start dye off unforgettable
ending i just never realize how big of a classic this really is for
that of you who dont know the film start off
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.043 0.711
robert hiltzik sleepaway camp be one of the much memorable slasher
movie ever made of course the act and dialogue be terrible but writer
director robert hiltzik manage to create very creepy atmosphere
throughout the killing be original and gruesome a
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.058 0.613
the greenskeeper tell the tale of the summerisle country club golf
course its assistant greenskeeper allen anderson allelon ruggiero its
the day of his with birthday lately allen have be suffer from horrible
nightmares his step-dad john bruce taylor
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.045 0.492
in some strange way i see this a caddyshack friday the 13th scary
movie half-baked all mix in a cauldron with the kentucky fried movie
stir up the mix a you have over-the-top privilege teensy a scheme old
man the old mentor type character a reclusive
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.078 0.657
what save this film be that the tone be just right funny and laidback
and tongue in cheeks no cure for cancer just a groovy goodtime a the
actor be all comfortable in front of the camera especially the lead
actor who just stroll through his scene wit
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.222 0.467
after dentist ice-cream man plumber repairman and so on at last even a
greenskeeper get the spotlight a slasher killer numb 600 and so in
this so bad and so stupid be fun variation on the slasher theme it be
worth a rental to get a few laugh for the
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.021 0.655
picked this sucker up in the bargain bin at probably the last remain
video store in txt when i see score by skip winger how can i resist
overall i would say its a satisfy view experience if you be in the
right frame of mind its slow at of with some p
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.124 0.579
after witness his wife linda hoffman engage in sexual act with the
pool boy the already somewhat unstable dentist dry veinstone corbin
bernsen completely snap which mean deep trouble for his patients this
delightful semi-original and entertain horror
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.117 0.561
i remember this movie in particular when i be a teenager my well
friend be tell me all about this movie and how it freak her out a a
kid of course be the blood thirsty gal that i am i have to go out and
find this movie now i dont know how to put this
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.108 0.468
the dentist be a uneven but quite effective little horror comedy that
try and succeeds at easy audience manipulation the universal fear of
dental pain will be amplify after just one view of this gorefest
corbin bensen the of law law fame isnt bad a d
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.206 0.883
i be never go to the dentist again unless i see his wife beforehand if
he have some delicious piece of candy like linda hoffman ill pass
corbin bensen play a dement dentist to perfection he wasnt dement at
the start only after he catch his precious w
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.127 0.572
this gem for gore lover be extremely underrated its pure delight and
fun gratuitous serving of blood insanity and black humor which can
please even the much demand lover of the genre a full exploitation of
the almost universal fear of dentist and fla
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.215 0.473
this movie seem to be either love or hated those that love it seem to
be argentol fan that have succumb to the style and imagination those
that hate it seem to get annoy at script flaws soundtracks actor most
of the criticizers seem to have miss the
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.012 0.675
my review be base on uncut italian print which run 110 minutes young
jennifer connelly can communicate telepathically with insects the area
she arrive in be be terrorize by a psychotic killer who have be murder
coeds and make off with their decapitat
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.149 0.516
phenomena have long be one of my favourite dario argentol films it
definitely seem to be a love-it-or-hate-it kind of film even much so
than much argentose and i think its his much unjustly underrate piece
of work to date 14-year-old jennifer connell
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.166 0.624
in switzerland the teenager jennifer corvina jennifer connelly
daughter of a famous actor arrive in a expensive board school and
share her room with the french schoolmate sophie federica mastroianni
jennifer be a sleepwalker be capable of telepathica
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.222 0.703
this is a review of the uncut version dario argentous phenomena of
1985 be a absolute masterpiece of horror come along with a ingenious
soundtrack by goblins argentol have enrich the horror giallo genre by
quite a bunch of brilliant films include suc
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.037 0.575
this be a genuinely frighten story with correct utilization of images-
shock skill edition and eerie image lucio fulfils main great success
along with zombie of be compel direct with startle gory visual content
its a creepy horror film plenty of bruta
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.146 0.502
the gates of hell be another masterpiece direct by one of the well
horror director lucio fulci fulci who sadly die in 1996 was a real
artist anyway this film concern a priest commit suicide and open the
gateway to hell allowing the dead to rise from
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.034 0.655
my rate of course only apply to the sort of people whole decide that
they like this movie even before they watch it like me for anyone else
this movie be a total zero evils of the night have some alien seek
human blood a the key to eternal life and w
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.021 0.582
if this reviews correspond rate be base on technical prowess or
filmmaking story quality it would naturally be low indeed but it
supply a substantial amount of entertainment value this be cheeseball
crud at its finest while on one hand this viewer do
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.146 0.581
kolmar the ubiquitous john carradine look very wear and wizened parma
leggy eyeful julie newmark batwoman on batman and cora a haggard tina
louise ginger on gilligan island be a trio of evil alien who need the
blood of young folk so they can make a y
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.032 0.549
as a result of be wrongfully accuse of murder a doctor and be put in a
mental institutions arnold masters plan bloody vengeance on everyone
directly or indirectly responsible for the death of his poor old
mother luckily for him he inherit a medallion
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.306 0.642
kurilian photography be feature throughout this intrigue film although
promote a horror the sci-fi element be strong mental patient jim
hutton eliminate his enemy with accidents carry out through psychic
phenomena naturally this series of bizarre kil
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.091 0.508
psychic killer be certainly a effective little horror film very much a
product of its era its a film with many flaws not little the shoddy
construction of certain scene and the general slow pace that never pay
off but at the same time it remain inter
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.064 0.478
psycho killer flick be a penny a dozen but at little this one have
something about it psychic killer be release before the slasher craze
really kick off and be surprisingly much original than many film in
its class the idea behind the plot is of cour
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.079 0.525
its the classic story of good brother vs bad brother a the vampire son
of old king vlad handsome noble bore stefan and hideous jealous
scheming fascinate radu battle over the right to their inheritance at
stake sorry be ancient castle vladislas play
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.056 0.471
thank you full moon pictures for restore vileness to the vampire
anders hover a the villainous radu be the type of fiendish demonic
monster that all vampire should be yet people today thank to genre
rapist like anne rice would rather watch vampire ga
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.136 0.558
this be one of my all time favorite cheap corny vampire movies calvin
klein underwear model i means stefan the good vampires return to
transylvania to ascend the throne of vampiric royalty but manicure-
impaired and eternally drool half brother radu h
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.024 0.633
subspecies like many other horror films get a raw deal on the majority
of movie-watchers have a hearty contempt for horror and when they
occasionally rend horror films they either want to laugh at them or
cringe at excessively gory scenes unfortunate
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.187 0.462
guillermo del torous stylish and original take on the vampire legend
be one of the much strangely overlook and underrate film of the 1990
its film like this that make me want to watch film film that be fresh
unpredictable and so rich in symbolism tha
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.126 0.518
severely underrate on this website cronos be a engage tale that
captivate the viewer for the entirety of its duration guillermo del
torous of ever film be a thoughtful heart-wrenching story which above
all manage to be fresh intrigue and unique while
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.55 0.672
this movie isnt bad because it doesnt feature villain myers its bad
because the act be terrible the song be irritate and the story be
stupid i just try to get through it a part of a halloween marathon
give see the whole thing before but it just sucks
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.01 0.407
this movie was well strange first off the title be halloween of for
that of us who have see john carpenters halloween we think myers kill
people but this movie doesnt even have myers in it so why be it call
halloween of second even if this movie stan
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.037 0.917
i know this movie have its defenders but my lord it pretty bad the
lore be atrocious the motivation be inaner the lead guy be unknowingly
despicable however that song be perfect
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.04 0.732
do i really need to say anything else then i hate this terrible movie
everything that be great about one and good about two have be removed
it look and feel cheap and tacky the of one be so slick good made and
good filmed this one look like a cheap 8
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.231 0.569
i really like the idea of make halloween series a a anthology but if
they make this film good the producer would have be successful and
they can continue the anthology a what they wanted but a of people
love myers just too much and nobody can blame t
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.011 0.421
yes i give the film out of ism not proud where this movie be concern i
have no shame i love this movie from the moment i see it on new yorks
creature features way back in the late 1960 a a five year oldest five
this movie scare the crap out of me now
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.474
this movie be release with the low of budget but at a time when
similarly themed movie be make just a cheaply a admittedly the last
time i see this movie be probably 1957 but it still stay in my mind
because the monster seem impossible to defeat up u
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.157 0.26
from pasto colombia via law can calix colombia and orlando fl nine
years old a thats how old i be when crab monsters be released when do
i become a movie junkie probably from age or of who knows maybe even
of when the conversation turn to that schloc
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.047 0.541
it bizarre preposterous silly campy creepy a bite gory a little scary
and a whole lot of fun where doe one begin with a film such a this
campy creepy bizarre for its time quite shock a decapitation and a
favorite of year to of year old boy watch chil
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.03 0.61
the renowned plastic surgeon dry frank flamant helmut berger own the
clinique des mimosas in saint clouds while shop in paris during
christmas with his beloved sister ingrid flamant christiane jeans and
his lover and the head of the clinic nathalie b
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.021 0.551
jess francois faceless be late 80 euro-exploitation with the typical
storyline of early 60 euro-exploitation namely a celebrate surgeon who
kidnap and kill beautiful woman in order to restore the beauty of his
own sister whoas face get horribly defor
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.139 0.482
prolific director jess franco make a lot of crap during his career but
in his filmography there be several hide gem and faceless be
definitely one of them true to francois style the film be trashy and
sleazy throughout but its the eighty atmosphere t
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.038 0.574
a wealthy father hire a private eye to go to france and track down his
miss daughter her disappearance can be attribute to a plastic surgeons
secret set-up in which he and his assistant kidnap young lady and keep
them in the clinics basement a year a
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.038 0.367
first off understand my rate of ilsa ilsa by general movie standard be
not a good movie if you be to put it up against any of the so call
classic movies it would not stand up but that who search out ilsa she
wolf of the ss or any of the other in the
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.019 0.665
when this movie of come out in the 70 it be a and street style
grindhouse pleaser that would have shock mainstream audiences however
with the advent of video few will be so shock today ilsa be impossible
to take seriously sure medical torture be carr
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.122 0.535
ilsa she wolf of the ss be the of in the infamous series of
exploitation film feature buxom ball-breaker dyanne thorned these film
be a classic example of true exploitation cinema and should be check
out by any fan of extreme or exploitation films sh
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.157 0.348
this be one of that rare small movie which have a great plot decent
special effect for the time and good acting for the horror fan who doe
not require gore and shock value to enjoy a movie this be a real
treaty there be some minor flaw if you look cl
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.165 0.445
avoiding death and what happen when we die have be recur theme
throughout all art form since the dawn of time despite the fact that
there be a lot of film that handle similar themes the asphyxy stand
out for its original and intrigue exactions the fi
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.026 0.542
ism a big fan of hope lovecraft and this story have all the classic
elements this be classic horror set in edwardian england an amaze
discovery allow the character a chance at immortality but a with all
delve into the occult this one be fraught with
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.185 0.425
the asphyxy a a the horror of death be one of the much original yet
unheralded english horror films set in 1870 england aristocrat sir
hugo robert stephens accidentally photograph a entity mythological
name asphyxy enter a persons body at their death
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.165 0.588
when the asphyxy be release in 1973 the exorcist be about to change
the landscape of horror forever move the genre away from subtlety and
into the realm of graphic effect and makeup thats one of the reason
why the asphyxy be a box-office flop fondly
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.154 0.517
the reptile be famous for the fact that it utilise the same set a the
brilliant plague of the zombies and a such you would expect the rest
of the film not to be up to hammers usual standards this couldnt be
far from the truth while this may not be ha
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.213 0.477
ray barrett and jennifer daniel inherit a small cottage in cornwall
barrettes brother die under mysterious circumstances and the new
couple soon see that people be not very friendly in the country john
gilling make this the same time he direct plague
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.102 0.632
upon the mysterious death of his brother harry spalding gray barrett
and his wife valerie jennifer daniel decide to move to the inherit
cottage in a small village in the cornish countryside on arrival in
the village they be receive coldly by the loca
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.123 0.503
a young couple harry and valerie spalding inherit and move into a
small cottage previously own by the husbands now decease brother
charles charles death be something of a mystery but none of the local
in the small cornish village want to discuss it o
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.049 0.572
take my word on this a tower of evil be a must see if youre a admirer
of raw vicious and undiscovered horror this film be so much fun i
canst believe i just find out about it now its cheap and nasty but
very imaginative and spirited tower of evil be
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.082 0.502
as early was horror flick go tower of evil a a horror of snape island
have a greater-than-expected amount of sex and goree unfortunately the
script be pretty stupid and the performance be generally bad ruin what
might ve be a decent little chillers s
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.027 0.418
tower of evil aspect ratio 85 1sound format monowhilst search for
ancient treasure on a lighthouse-island off the british coastlines a
archaeological expedition become isolate from the mainland and be
stalk by a monstrous assassin trash classic from
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.163 0.521
sexy vintage british horror tale pack with traditional atmospheric fog
shade of gothic and hot young flesh from the firm buttock of the hunky
man to the smooth perky breast of the women this film exploit the 70
free love era three interconnect tale r
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.006 0.455
i know your think cellar dwellers that sound like a poor sad excuse of
a horror film with camp act and a low budget monster i dont think ill
bother with that well much fool you yes it have camp act and yes it
have a low budget monster but what do you
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.22 0.494
this be a fun little horror film about a comic-book artist play by
jeffrey combs freak whose creation come to life and kill him in 1950
now the monster still hide in the basement of his house which be a
home to a group of artists cellar dwellers be a
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.13 0.473
one can do wrong than this if theyre partial to the cheese horror of
the 1980s a decade when the genre really come to life not that its
anything special at all but it is reasonably amuse and thankfully
pretty short in duration 78 minute all told a pr
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.208 0.448
cellar dweller 1988 be a 80 horror classic in my bookit be good fun it
have a interest plot and its short run time mean that it never outstay
its welcomed i love 80 horror and this be one of the memorable ones
for it have a really cool monster and it
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.168 0.51
this really isnt too bad a film and be certainly a worthy sequel to
the original piranha work because it be tongue-in-cheek make fun of
the film it be parodying piranha ii try to be much serious but be so
cheesy that it manages by default to be just
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.177 0.604
in a caribbean island a couple be find dead inside a sink ship the
scuba dive instructor of the local resort anne kimbrough tricia o neil
break in the morgue with her acquaintance tyler sherman steve marachuk
and find that the body have be eat in man
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.195 0.625
sure its not the well movie ever made but they dont do this kind of
movie any more it have a bite of that early 80 charm over it and lance
henriksen be never bad in a movie sure the script blow but what a hell
its entertain a hell and the effect look
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.16 0.535
cathy stevens have be suffer dark dreams and believe they have
something do with her father after the death of her mother she travel
to political-torn romania to find her father however her investigate
get the local police question her motive and gai
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.199 0.519
stuart gordon be a busy man back in 1990 aside from his surprisingly
good retell of edgar allen poems the pit and the pendulum and
something call robojox he also make this little know tv movie which
like the poe film be surprisingly good given that t
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.188 0.515
daughter of darkness be a actually pretty good film with a few small
flaw to it spoilers arriving in romanian american katherine thatchers
mia sarah determine to find herself a new life while search through
the city with max dezso grass keep see a st
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.216 0.673
when the empire state building be be constructed another high-rise
skyscraper the chrysler building be its rival as far a i know this be
the only film to pay homage to the chrysler building the stand for
quetzacoatl a wing serpent from aztec mytholog
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.129 0.583
if youre carry around inside your head a schema of moriarty a ben
stone assistant da on law and order the grim determined rigidly moral
prosecutory this movie will shake you up like a animate cardboard
halloween skeleton he be hardly ever at rest his
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.17 0.573
the winged serpent be a trash movie classic and it also represent one
of the master of that cinema niches fine hours larry cohen direct this
movie which follow the standard monster movie formula and be blend
good with a theme of mass hysteria and a g
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.161 0.407
be a fun film but the main problem with it be that monster in the
title be rarely see or be just a simple plot device and the end result
be sorta unsatisfying the story be much about the aztec cult and their
human sacrifice to their god a quetzalcoat
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.082 0.593
this thing be so mind-boggling that word almost fail me i literally
spend 80 of it with my jaw drop in utter disbeliefs punctuate by burst
of incredulous laughter nothing in it make any sense at all i means
our castaway arrive on the island in a perf
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.057 0.414
briefly speaking nothing in this movie make any sense at all either on
the level of overall plot or of individual scene or even lines a this
would have to be one of the much relentlessly stupid movie ever made a
as soon a it look like something be re
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.073 0.536
with the recent box-office success achieve by the late remake of 1974
the texas chainsaw massacre its worth look back at tobe hoopers
original horror classic a the movie tell a fairly simple tale at heart
a group of five teenager drive through rural
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.113 0.665
i decide to get this movie for my annual halloween scarefest a week
early as the new one be out in theatres i feel a need to see the
original first and bow be i glad i did the whole movie just blow me
away i turn off all the phones chat program and s
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.003 0.517
those who have post here compare tobe hoopers one and only masterpiece
with the dreadful remake be presumably young child with no real
understand of cinema the 1974 film be the antithesis of the slick mtv-
influenced cynical cash-in mentality that inf
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.08 0.54
the texas chain saw massacre can and will be reinterpret by critic and
theorist for decade to come it be shoot in the summer of 1973 during
the aftermath of the vietnam war and the munich olympic massacre at
the height of the watergate scandal and th
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.027 0.737
the texas chainsaw massacre be a terrible film i know go in it would
be nothing like the original and be completely fine with that but this
movie go out of its way to be a ridiculous a possible the genuine
scare from the original have be replace by a
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.048 0.593
texas chainsaw massacre be one of the much misunderstand movie of all
time i see texas chainsaw massacre when it be release in theater back
in 1986 i love this horror flick then but everyone else hate it
critics trashed it even many horror fans of th
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.014 0.518
disclaimers do not try to remove your hemorrhoid with a chainsaw it
will not save you a trip to the hospital spoilers ok let me tell you
why the texas chainsaw sequel dont work the original film be slightly
exempt from this but when you have someone
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.061 0.548
potential spoilers ahead when id of hear of this movie it be describe
to me by my cousin a the scary and creepy movie theyd ever seen so it
always have a place in my mind a a movie to avoid however when i
finally do catch it i have to say i disagree
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.111 0.545
four snotty rich kid at a prep school in england want to get out of a
field trip to wales where they would have to eat fish paste sandwiches
and be otherwise uncomfortable they also dont want to get out of the
trip by just return home over the school
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.324 0.587
truly fresh and new ideas rarely make it to film the hole base on the
novel after the hole by guy burt be a good exception to this it be
seldom that we see a top quality thriller but this movie be good cast
good directed and work wonderfully the stor
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.12 0.414
ive be anticipate this film for a while since it be thora birches of
role since american beauty so the hole the hole have be hype up a a
horror psychological film in which student be lock down a old wartime
bunker -the- hole to avoid a bore geography
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.145 0.53
the of half of this film be like anything youd expect from quentin
tarantino and robert rodriguez cool 70 soundtracks snappy dialogue
really good editing lot of violence and a slightly unconvincing role
by qt himself i think it be disturbing stylish
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.092 0.459
i enjoy this film but i be leave a little puzzle at the end by what id
just watch in term of what type of movie this visit start off a a very
tarantino-esquire film its clear that he write it a his famous
dialogue be present its a enjoyable crime thr
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.07 0.697
from dusk till dawn be kind of brilliant brutal bloody tarantino
horror silly and funny it be brilliant brutal bloody horror silly and
funny the way sam raisins the evil dead be all that things the twist
here be a screenplay write by quentin tarantin
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.105 0.563
i love this film for many reasons for one the switch from a crime
thriller to a horror thriller be seamless i for one have not hear much
about this film before i watch it and i assume the tv times be mistake
in call this a gory horror thriller to me
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.357 0.737
if there ever be a film which deserve to be call haunting its this one
excellent music wonderful dream-like atmosphere masochistically-grim
mood verge on nihilisms mystical overtones a sympathetic supernatural
yet human villain its just wonderful dis
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.07 0.575
the titular dust devil be a evil demon that prey only on that who have
lose the reason to live this include wendy who have break up with her
husband and be now make her way aimlessly across the south african
desert feeling lonely she pick up a stray
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.028 0.479
only this check the final cut version and you ll discover that much of
the flaw for which this movie be criticize be gone with its of minute
of footage previously cut and no re-dubbing story make sense of course
because of all the reference to art-mo
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.086 0.585
jesus francois 1970 vampyros lesbos inexplicably title above el sign
del vampiro be the masterpiece of all euro-exploitation genres you can
swoon over the greenaway light in suspiria you can thrill to the
comic-book metaphysics of the beyond a few so
Movie title: Vampyros Lesbos
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.33 0.638
fright night 1985 be a awesome true classic vampire horror film that
be write and direct by tom holland him self i love the remake but i
just love the original much better in here you have monsters a real
vampire and werewolf in it chris abandon do a
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.267 0.495
fright night lost boys and near dark be the holy trinity of was
vampire flicks and arguably three of the well vampire movie of all-
time just recently i return to this piece of 80 horror gold and i have
to say i enjoy it just a much a the of time i se
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.223 0.642
is it the 80 cheesiness fashion clichã©s music its impressive fix the
story who knows time make justice to fright night one of the well
vampire movie ever and probably the well of the 80 when it come out in
1985 the slasher genre be on its high peak
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.193 0.558
fright night be a movie that have stick with me for years recently i
be able to get it on dvd and have be watch it and try to convince my
friend to watch it ever since it have its flaw but time have be kinder
i think to fright night than it have be t
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.155 0.534
title fright night director tom holland stars roddy mcdowell chris
sarandon william ragsdale amanda bears and stephen geoffrey released
1985 review very few minor spoilers ism sure many of you here know
this movie by heart and have see it countless h
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.355 0.645
of the slasher film that jamie lee curtis would appear in after the
masterful halloween 1978 terror train be truly the best its also one
of the well genre entry of the early 80s college student hold a
costume party on a train only to have a mask stra
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.242 0.386
the 1980 horror film terror train may well be describe a halloween on
the rails a in it a fraternity have a party take place on a train
speed through the canadian night a and then one by one without anyone
know it a situation make even much complicat
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.187 0.557
jamie lee curtis be once again cement her status a the scream queen
after the success of halloween the fog and prom night but this one
unfortunately wasnt a successful a the previous one and remain the
little remembered but that doesnt mean that this
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.013 0.468
the picture narrate how a group of fraternity execute a initiation
prank to a young boy who be emotionally frighten years late a
masquerade party be celebrate on charter hire train and someone mask
wear realize a series of body count scabrously murde
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.034 0.511
a fraternity prank on a weakling of a student go horribly wrong when
the victim be emotionally affect by it and end up in a institutions
now three year have past and the senior fraternity friend have decide
to celebrate their final outing with a new
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.317 0.618
my bloody valentine be one of the well 80 slasher films it be one of
my personal favorite slasher films i love this film to death it be
good make 80 slasher film from george mihalka it be a canadian slasher
that be happen on a holiday valentine day a
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.084 0.587
in the wake of halloween and friday the 13th many similar film be
released much of which have little or no distinguish features one of
the much effective and atmospheric be my bloody valentine shot in
canada and very infamous for its brutal battle wi
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.116 0.473
twenty year ago harry warden go nut and slaughter a bunch of people on
valentines day the mine town he hail from cancel subsequent v-day
dances but when they try set one up again warden seemingly return with
his pickax ready to hack the local kid up
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.15 0.584
the 1980 be and remain one of the much controversial time period in
the history of the horror genre on one hand it see the birth of
several of the genres great film and many of the much entertain film
that still have historical significance on the ot
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.164 0.599
my bloody valentine be one of the well and much well-made slasher
flick of the 80 its also one of the well holiday themed horror movie
around craze miner be determine to stop the celebration of valentines
day in a small nova scotia town with the help
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.189 0.418
my brother and i use to watch this movie all the time probably when it
be on hbo back in the day it be a nice piece of nostalgias since i
have view it so much a a kid it be like go back and watch a movie you
almost know by heart but at the same time
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.415 0.544
one of my all-time favourites a nice idea in the spirit of the care or
christine with great action mostly of well-show car chase in tucson
arizona the character be good construct and on the whole good
implement by the actors with nick cassavetes stea
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.019 0.566
it make me laugh when i read bad review of this movie no one claim it
be a classic no claim it would win award or prize for depth of
storyline what it doe have be earnest performances fantastic fx amaze
score and very pretty photography yes laugh at
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.117 0.565
one of the halloween follow-up that would give jamie lee curtis the
title of scream queen children accidentally cause the death of a
little girl now year late they be in high school and get ready for the
promo however it seem someone else be plan on
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.185 0.529
prom night emerge at the begin of a decade which also mark a decade
for the rise and fall of slasher film a we know them along with terror
train and the fog prom night be one of jamie lee curtiss much well-
known return to the genre after halloween th
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.077 0.459
prom night be a excellent canadian horror mystery movie from 1980 it
start with a group of kid play a game in a abandon build that turn
horribly wrong a young girl they be pick on fall out the top window to
her death the kid decide to keep quiet abou
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.251 0.386
i of see prom night back when i be year old but didnt appreciate it a
a film until re-watching it at 19 watching it a a time be like
discover a priceless gem and i must say a a screenwriters i still look
to this movie a motivation and inspiration unl
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.238 0.624
the house on sorority row be one of the well tale of vengeance in the
slasher genre sorority girl pull a prank on their house mother only
for her to end up dead and the girl leave in a world of trouble they
believe they have cover up the crime but wh
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.057 0.599
the house on sorority rows be above your average slasher flick its up
there with halloween follower like friday the 13th prom night my
bloody valentine and sleepaway camp unlike much slice-and-dice movies
the house on sorority rows actually have a pl
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.217 0.662
i catch this movie on vhs in the early 90s have missed it in the was i
dont know how i just re-watched it tonight and i must say yes its a
typical was slasher movie but it have great humor and great suspense
and a really creepy killer the music just
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.179 0.584
better than average slasher flick about a group of sorority babe who
accidentally kill someone during a prank and try to cover it up later
theyre murder one by one by until the inevitable final girl vs the
killer showdown all this thing seem to have
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.032 0.466
from ken russell the devils to jesus francois love letters of a
portuguese nun from sergio grievous sinful nuns of st valentine to
gianfranco mingozzi classic flavia the heretics and everything in
between i be a self-confessed nunsploitation freak i
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.129 0.589
a very very silly film not once will you feel horror or revulsion
unless you be the sensitive type or a nun but you may smirks and you
may laugh and you may even find yourself cheer on dear old sister
gertrude a she go on her rampage of false tooth d
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.17 0.559
killer nun be a crossover between two of sleaze cinemas much popular
subgenres the graphically title nunsploitation and the much popular
italian thriller know a gallop i canst say ism very experience with
the former but ism a big fan of the latter an
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative -0.043 0.644
far well than i remember think on my of view but that be a while ago
and now i think of it one of my of in this field probably not a good
one to encounter of because it really be such a strange one pretty
surreal with nun drift down corridors gown sp
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.069 0.534
i love just about everything the late al adamson direct in his long
and vary career but the possession of nurse sherrie stand head and
shoulder above fun yet admittedly grade-z schlockfests like horror of
the blood monsters and blood of ghastly horro
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.089 0.602
i buy this on vhs a terror hospital and when i get home i check iadb
and be like org its the legendary nurse sherri so herems another one
from al adamson who have clearly learn some minuscule amount about
film-making since the blood of dracula castle
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.141 0.54
this be another film i remember from childhood from the day of regular
tv free broadcast and adjust the rabbit ears for reception a a crappy
but atmospheric british monster picture now not only on cable but on a
premium service i come across it again
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.228 0.477
this film be a wonder if one be to happen across it one sunday
afternoon sober and alone one may struggle to immediately spot its
worth however do not pass this film by director balch have here craft
a masterclass in horror aesthetic and inconsistenc
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.006 0.523
horror hospital be a excellent slice of vintage british horror produce
in the early 70 when film be get gory notice the numerous
decapitations gough be on top nasty form a a doctor who perform brain
experiment sound familiar on his young victims and
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.013 0.555
a wear out musician decide to take break and go a relax vacation he
choose to stay at health farm locate out in the country and on the way
there he meet a girl on the train go to the same place to see her
aunty the mysteriously means but cripple dry
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.059 0.48
horror hospital start with a black rolls royce park in some wood
somewhere in england dry storm micheal gough crack his knuckle a he
wait in the back with his assistant a dwarf name frederick skip martin
a teenage couple be see run through the wood c
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.324 0.683
this be the well rendition of dracula ever capture on film gary oldman
dark and sensual persona outshine any other vampire who ever dare put
on a cape to me gary holdman be the much talented and underrate actor
every he become who he be playing howev
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.298 0.651
though i do not read the book and canst compare it to the movie i find
bram stokers dracula quiet excellent the costume design lighting
camera work make-up-fx be all very good and make for a very
atmospheric movie there be some truly outstanding thin
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.136 0.525
one of the well know and much popular dracula film be by francis ford
coppola at the time he really hadnt make a hit film since the
godfather he be go bankrupt so what well way to get out of debt than
to make something that be pretty much a guarantee
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 negative 0.059 0.602
as be the case with many of this latter-day horror movies this be
visually stunning this one be particularly so with beautiful colors
wild special effects lavish set and a handful of pretty women lead by
winona ryder it isnt all beauty there be some
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.226 0.529
francis ford coppola adaptation of bram stokers classic vampire story
be unlike any other film i have ever seen a beautifully craft gothic
horror romance bram stokers dracula be infinitely rich in haunt
atmosphere but a conventional love story preven
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Subjectivity Score
0 positive 0.171 0.524
i expect a jaws clone and get a movie about threesomes after i get
over the initial shock i actually find tintorera to be a sweet almost
classy little male fantasy tintorera be actually a sex and thus
perfectly capture the feel of the seventy take on
Movie title: Tintorera: Killer Shark
pattern_preds = [doc.pattern_sent_score for doc in pattern_output]
print(confusion_matrix(np.array(true_targets), (np.array(pattern_preds)>threshold).astype(int)))
print('\n')
print(classification_report(np.array(true_targets), (np.array(pattern_preds)>threshold).astype(int)))
#classification accuracy score
pattern_accuracy = accuracy_score(np.array(true_targets), (np.array(pattern_preds)>threshold).astype(int))
print("Correct classification rate:", pattern_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(true_targets), (np.array(pattern_preds)>threshold).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (Pattern Vocabulary-Based Sentiment Analyzer) \n', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[ 99 16]
[335 358]]
precision recall f1-score support
0 0.23 0.86 0.36 115
1 0.96 0.52 0.67 693
avg / total 0.85 0.57 0.63 808
Correct classification rate: 0.5655940594059405
afn = Afinn(emoticons=True)
threshold = 0.0
Rev_SentimentDocument = namedtuple('SentimentDocument', 'words ttl tags afinn_sent_score')
i=0
afinn_output = []
for rev, ttl in zip(all_reviews_joined, all_reviews_ttl):
sent_binary = afinn_sentiment(rev, threshold, verbose=True)
words = rev
tags = i
afinn_sent_score = float(sent_binary)
afinn_output.append(Rev_SentimentDocument(words, ttl, tags, afinn_sent_score))
print(fill(words[:250]), '\n')
print('Movie title: {} \n'.format(ttl), '\n')
i += 1
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
spoilers have see a lot of films review a lot of film but this
extraordinary two and a half hour technically-perfect humanistic
horror film from one of the fine writer directors in the business
auteur of i saw the devil be something of a cipher the c
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the wailing open with a quote from the bible it be easy to forget this
fact while watch much of the film but at a certain point it become
clear the purpose that quote served it be almost like a warning if you
be a religious person this film will scar
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be a hell of a ride about of minute into the movie i stop
to look at how much time be leave and be actually relieved to see that
there be still so much left thats how engage and interest the story be
for me before watch the movie i read on
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i want to start this review with say that i be not completely against
jump scares they play integral part of horror movies but when a movie
mostly rely on them and be not support with great story i be always
leave displeased what make the wailing so
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
perhaps ism a little biased after all this be set in the city i live
and work in and see oxford street and piccadilly circus which i pass
by every morning and which be usually teem with crowd of people
completely empty be enough to send shiver down m
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be about a virus rage virus that make the infect person mad
with extreme rage and hungry for blood within of day one outbreak in
london cause entire britain dead or evacuate leave behind a blood-
thirsty infect population and a handful of so
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the 2003 state-side release of danny boilers 28 days later be
advertise a be a chockful scare-fest of a movie i didnt get around to
see it until a few day ago and i gotta feel like that be somewhat of a
embellishment on the promoters part when enviro
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the key to keep the sci-fi horror genre alive in the cinemas a of
later be to make sure the material and technique the filmmakers
present be at little competent at its average creative and at its well
something that we havent see before or havent see
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
let the right one in be like no other vampire movie that i have ever
seen it be smarter scary and much nuanced it doesnt feel like a
thriller it feel like literature the film which detail the bizarre
misadventure of a pair of pre-teen star cross love
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
let the right one in is at its heart a sweet coming-of-age story which
be so unique and different that it simply defy categorization in this
swedish film adapt from john aside lindqvist bestselling book director
tomas alfredson dare to mix pleasure a
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
so many people review this film on iadb seem to focus on the sweet
friendship between its of year old human and vampire leads while this
be a huge element of the film this be a sweet story of childhood
friendship in the same way the godfather be the
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be not particularly fond of the vampire genre but this movie be so
much more it be artistic poetic and in many way a very profound movie
explore the nature of good and evil it doe so through the world of a
child where both pure evil and pure goodne
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
zombies and much zombies so many they do not cheap outta few original
idea and moves which be probably mandatory because they only have the
width of a train to play with for much of this film a a beautiful girl
what can i say i be a sucker for long-h
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
dont youths film be fun action-packed full of dangerous elements
innovative have pretty girl in it and much importantly be successful
yup here come the hollywood remake it will be another entry in the
series of redundant unnecessary inferior whitewas
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the zombie be a plenty so they go all out for thistle cheerleader be
splendid and gods gift to debut the story really peter out at the end
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
who would ve guess that the director of saw would end up be the much
inventive horror filmmaker work in the industry james wan brilliantly
take us back to the retro day of horror deliver a extremely stylistics
visually strike horror film that stand t
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
dont summon the devil dont call the priest i be one of a lucky few to
have see the conjuring at a preview screen for brightest 2013 i go in
totally cold not have see a trailer nor know anything about the story
or plot and it turn out to be one of the
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism a avid horror fan lately ive be think there isnt much that can
scare me though sinister get under my skin i appreciate james wants
films i love the of saw insidious be a damn good modern ghost story
but like all review have state for it the movie
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the key with the conjuring be not that it have freshness on its side a
evidence by the ream of horror fan argue on internet site about
nothing new on the table but while that fan will be go hungry for a
very very long time the conjuring doe everythin
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the conjurings be a high class horror film its hard not to be scare by
it we care for the character and the story be compel enough to make
you feel interest the whole time based on true life events ed and
lorraine warren be paranormal investigator se
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
while much movie that pit human against horrendous extra terrestrial
end up be cheap imitation of the aliens series pitch black stand a a
fine piece of sci-fi and a excellent movie all around a perhaps my
favorite aspect of the film be the lighting a
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
pitch black be a survival story its about how to survive in a hostile
alien world against even much hostile enemies the task get even much
difficult when the near enemy can be find within your own survive
group the plot of pitch black be quite usual
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be without doubt the much excite and satisfy film ive see in
years of the plot see in print be almost banal- a ship crash on a
desert planet with three suns the survivor have to adjust to the
landscape and each other then darkness fall and the m
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the open scene of this movie be pretty incredible a ive see a numb of
sci-fi movie with great special effect but my roommate and i look at
each other after the open sequence and he say plainly sensory
overloaded a the plot of the movie be pretty simp
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
anyone who live in the world and follow movie have a pretty good idea
of the main concept behind a quiet place there be being that will kill
you if you make a noise a the film doe very little to try to explain
where this being come from all we know b
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a quiet place direct by john krasinski be a genuine and tense horror
thriller it have a unique premise and backstory the setup for the
story have be do well the performance by john krasinski and emily
blunt along with the child actor be awesome the d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be a good movie if one be will to overlook the hundreds literally
hundreds of logical fallacy in this movie other review give a good
overview of the plot ism not look to do that here i just want to point
out some plot inconsistency andor the lac
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be a classic case of we just have to make a film about that
premises however what the people involve didnt do good be figure out
how to cover all the plot hole the premise be always go to introduce
the introduction be move and set up the pr
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
first i enjoy some part of this film the suspense be on point acting
be good it wasnt totally unwatchable but for me it fall short of what
it can have been ism just go to list why i disappoint and confused
spoilers below a be they really aliens how d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
theres a lot of this shaky-cam movie around at the moment and among
your cloverfield and diary of the deads this low budget spanish movie
may seem like the underdog but its punch way above its weight filmed
by a tv crow stumble upon something very na
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be truly a superb horror movie i love this movie so much i have
to leave a comment it have be a long time since i jump off my seat a
few time way too many it have some of the scary scene i have ever see
you ll know what ism talk about the way it
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
rec be a film that utilise the pov point of view camera technique for
the entirety of its duration it be a technique in which the person
behind the camera be a character that be integral to the plot
narrative and story of the film in brief rec be a h
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be the kind of movie that you go to the cinema and watch and then
haunt you for weeks not that it will make you afraid of the dark or it
will make you question your vision of life this be the kind of movie
that be all about the experienced the f
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i be not usually comment on movie here i rather read other peoples
comments but i just finish watch rec and i feel i really have to
comment even if its just to get my heart rate down first of all let me
say this be one hell of a terrify movie i think
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
theres another version of the witch that could ve existed a puritan
family in new england get terrify by a witch live in the woods who
torment them with supernatural satanisms if youre say to yourself wait
isnt that exactly what this movie is then yo
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be a story set in the early colonial period of new england it
have the authenticity of a well-researched historical drama up to and
include dialogue deliver in a period accent and vocabulary softened a
bite so that its easy to understand instead
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if people from the with century can make a film about their deep dark
horror it would look a lot like this movie the witch engross you in
the time and place of its setting its a family drama a horror and a
folk tale all interweave together into a mac
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if nightmare induce horror be not your bag then the little you know
about the descent the better geordie writer-director neil marshall
have deliver a accomplished good acted out and out horror movie that
come a much of a pleasant surprise a his of ma
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
there arent that many british horror films so its not too much of a
stretch to call this one of the well british horror movie ive seen it
have flaws but ive only see a few film in my life that donate its
incredibly entertain though the basic premises
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
whats interest to me be the deep mean and symbol of the film the film
be really about two women sarah and her friend juno the film open with
sarah lose both her husband and child in a horrific wreck over the
course of the movie it become apparent tha
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
with dog soldiers neil marshall create a tight and claustrophobic
atmosphere then add the scare to create a very good horror film
however the tension be often release with humour and the audience be
allow to catch their breath and relax at no point i
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after watch the descent my bud robert and i decide that spelunking
would now come off both our to do lists—for good writer and director
neil marshalls the descent craft and sustain a unrelenting tension
throughout once you get past the suspend disbel
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
whenever i see a negative review of i saw the devil the critic always
mention scornfully that the movie be ultra violent and portray woman
in horrify circumstances yes it is and yes it does but this isnt a
hollywood slasher flick the kill in this mov
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie be not for the squeamish or the faint of heart censors
claim it be offensive to human dignity these be the kind of thing they
tell the audience at the world premiere screen of the uncut version of
i saw the devil at the toronto internation
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i saw the devil be a bloody masterpiece jee-woon kim have prove
himself to be a master storytellers beautiful shots a creative script
perfect act and intense violence make i saw the devil a must-see movie
for anyone who call themselves a horror fan i
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the plot of i saw the devil revolve around a detective whose beautiful
fiancee be savagely murder by a vicious psychopath play by oldboy
himself min-sik choy despairing cop quickly track down the psycho
tortures him a little and let him free to play
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
just come back from the tiff screen of the uncut version of this film
and after read the very of review post here i feel somewhat compel to
leave a short comment the movie be about revenge a woman be murder by
a serial killer the womans soon-to-be hu
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be probably the well horror movie ive see in the past decade it
follows be a throwback to classic late 70s 80s horror film and draw
many comparison to john carpenters style from the music to the
cinematography and rather than appear like a carbo
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
finally a real horror in a long time no much bloody slasher craps this
be how the really scary movie be made suspense and fear be create by
great cinematography and music the pace of the movie be slow and
almost no to few special effect be present i
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
inspired by 70 and 80 horror it follow be a refresh psychological
horror film with a simple premise and a chill concept the
cinematography be electrifying every shoot be beautiful and the score
hold brilliance it carry a very obvious john carpenter v
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
it follows be a horror film make for horror fans and its about time
one of that come around again this be a movie that be light on the
jump scares which be a delightful change of pace in the past few year
much and much horror have rely on jump scare
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
spoilers it follows begin how it ends mysteriously a young woman run
from her suburban home half dressed terrified confused she crosse the
road haphazardly then run back to her house pick up her bag and escape
in her care with her father shout after
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i go into this movie confident that it would be a cheesy campy romp
with the same tried and true trick of the trade like when the hero be
investigate the creepy music come from the basement and a cat jump
into frame but i quickly discover that this w
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
of all the genres that hollywood have to offer the much tatter of the
bunch be without a doubt the horror department i be so sick of this
wannabe so called horror flick that belong on late night lifetime
channels im sick of the same old parlor trick
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the film insidious have do something many horror movie have fail to do
recently and that be to be scary insidious have a lot of really
intense moment that scared and then grab hold of you its not entirely
make up of make you jump scenes which it doe
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
when i of see a preview for this movie i know it look like it have
potential it have be a while since i see a decent scary movie so i be
look forward to it i go into it expect some scare but nothing too bad
wrong this movie scare me out of my wits i
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i go to a early screen of the movie last night and ism not exaggerate
when i say that i feel like a little child watch the exorcist for the
of time james wan do a very impressive for only a $800 000 budget for
this movie if youre go in the theatre ex
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be lucky enough to see this masterpiece at brightest this year
pascale laughers worry about this movie he be apologise to people who
despise it he be profusely thank the people who like it he be the
modern day equivalent of victor frankensteins he
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what a experienced ism a big horror fan and be happy watch and enjoy
popcorn slasher movie for what they be but really the genre be cry out
for much picture that truly assault the senses the french be
particularly adept at paint bleak unforgiving lan
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
french horror have be push the boundary for some time now first there
be haute tension then a l intérieur and new in line be martyrs hype up
to take it all a little further and it did it definitely did its just
that it doesnt belong in the same list
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be a terrify a anything ever released it take event from
modern headline and carry them to horrible but utterly believable
extremes performances photography editing score sound design direction
be all spot on i live in a neighborhood where
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the film be introduce by the films writer director pascal augier at
this years brightest in london the organisers refer to the film a the
film they much wanted of the of show at the festival it be easy to see
why of all the film i see at this years f
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
on of impression the mist doesnt remotely seem like the kind of film
anyone should be excite about the mist what a bite like the fog then
stephen kings the mist that make it even worse directed by frank
darabont since when do he direct horror films o
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ive be a member of iadb for many year now and rarely do i take the
time to comment on a film in addition i watch on average about 10-15
film a months split among all genre include horror lately thought ive
be very disenfranchise with much horror film
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ill start out by say that ism a stephen king fan and thus i may have
some bias ive watch many steven king movie but have never give one a
rate this high most of his horror movie be in the 4-6 range with
classic such a the shawshank redemption the shi
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if two year ago you tell me that within a couple of year two excellent
stephen king film adaptation would be released i would probably have
laugh it off films like the shining shawshank redemption stand by me
the stand and 1408 be usually pretty far
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
let me take a breath never have i have such a visceral physical
reaction to a film every not even with elem klimov come and see in the
last fifteen minute i be nearly physically paralyzed and then start
shaking realize how numb my body was and i be d
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be about a scary a i want to movie to be i genuinely jump a few
time watch this and once or twice mute the sound which make me laugh
write it but trust me there be scene in this film that challenge the
old ticker a cardboard box in the hallway c
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in this day and age horror be get much and much creative by demand
since the psycho killer in the woods-scenario have pretty much run its
course a consequence of that be the incorporation of contemporary
technology and concept appear in the genre fou
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
directed and script by scott derrickson the exorcism of emily rose
2008 the day the earth stood still from a c robert cargill story
sinister be a exquisite realization of a original paranormal theme the
movie debut in this same towns sxs film festiva
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
dont watch the trailer or at little try not took i go into this film
only know the title and the fact i be wait for a scary movie to
actually be yep scary well i be in luck a sinister be exactly that
quite sinister i say try to avoid the trailer if u
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ever since the very of trailer come out i thought now this look good
however some quite poor review come in so my dream be shatter slightly
but then suddenly some rave review come out even from my favourite
critics chris tooley who give it stars my f
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
battle royale be base on the shockwave novel by koushun takami which
be a bestseller in japan and which have become very controversial in a
very short time and it be really easy to understand why the plot be
relatively simple a class of junior high s
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
there have be contrast cry of greatest film ever made and pointless
gore fest make about br and neither be accurate in my opinion what it
is be a commentary about perceived real or otherwise problem among
japanese teen in the late 90 in one review so
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be film that i believe have to be made and it be only a matt
of time before it was a yet it be a film that the us mainstream can
never have conceive making firstly to get it out of the way i will say
that i love this movie although at no po
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
kanji fukasaku make a film call battle royale back in 2000 hers make
plenty of film in the past ive see very few of them apart from battle
royale but ism always search for more battle royale be a film that
have affect many many people there be rabid
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be incredibly cruel and unrelenting it play a a single
feature divide into three sections dumplings direct by fruit chan of
hong kong cut direct by park chan-wook of korea and box direct by mike
takashi of japan each section be like a diss
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wowf just go to go see this three short last night which be about of
min a piece i agree that cut be one of the much enjoyable horror
experience i have have since high tension takeshi mike be probably the
big name in the asian horror biz but i have t
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a excellent blend of three horror film that characterize the
ideal representation of asian cinema each story be present with
ordinary people display quality of evil and depravity these director
use powerful cinematic storytelling element in e
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
three short film that be plenty extreme and if the ending of all three
leave us wonder maybe that be good i do however find the end of cut
much than a little baffling there again unsatisfactory ending of
eastern film a judge by westerners be nothing
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have utmost respect for want to my knowledge he and his buddy be
right out of film school instead of slowly build status by make
mediocre films he show the world right from the get-go that he have
something to prove along with silence of the lambs
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
since nattevagten i have not see a thriller that have keep me on the
edge of my seat a good a saw right from the begin this original story
suck you in and doesnt let you go until the very end thrillers a grip
a this one have become extremely rare in
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wowf the critic werent wrong not since seven have horror be portray so
majestically from the of minute to last this film twist and turn you
till you feel rather poorly just like se7en the all-round grittiness
that director james wan create disgust an
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
not since se7en john doe have there be a serial killer with such a
bizarre philosophy behind his action not that jigsaw actually kill
anyone much on that later sure in light of the increasingly
deteriorate sequel its hard to think of saw a little muc
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
not only doe this movie create a extremely tense atmosphere the moment
it starts it have plenty of gore and violence to bombard your eyes not
to mention that it have one of the well twist see in any horror movie
watch this film alone at night with th
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a tale of two sisters or janghwa hongryeon be a true masterpiece
brilliant psychological thriller heart-wrenching drama and grip horror
all wrap up in one beautifully orchestrate package from the intricate
plot to the beautiful cinematography to the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the beauty the terror the poetry the horror the innocence the guilt
maybe thats just about all i should write in this comment for a tale
of two sisters the well thing be to just watch this movie without know
anything about it i myself didnt even know
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the recent history of hollywood remake of ghost horror film from the
east have be dismal this film will inevitably suffer the same fate so
get a copy on e-bay or similarity be good photograph and the sound be
superb viewing on a good screen and with
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i of see this film two year ago in the cinema and fall in love with
this dark tale of two brood teenage sister cope at home in their large
country house with their father and step-mother their relationship
with their step-mother be strain to say the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
eden lake masquerade a a touch and dark film but it be quite the
opposite in like another reviewer have to register just to express my
deep disappointment in this film sure it start off with a normal set
which you a someone who be much likely use to
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
its be a long time since ive see this film during the time when i
still didnt bother and rate and review every horror film i watch
lately ive be re-watching some of that i like especially but a for
eden like ill pass not because it isnt good but beca
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i just recently see a movie call the children where all of the adult
act like whimper baby a their of pound sandbag kid murder them gangs
of little eight-year-old child kill their parents and all they do be
cry about it and get angry at each other if
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i canst remember the last time a film evoke such raw emotion in me ism
literally teared up and shake from anger pain frustration and
disbeliefs watching this film be a experience much than word can
described it play on pure emotion youre suck into th
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i be a massive horror movie fan but this movie leave me completely
cold it be mean spirited cold and above all else unbelievably
frustrate and stupid at times on the plus side the film be very good
act by all involved and very good made but such be t
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a fantastic performance by the films start james mcevoy be reason
alone to watch this film every personality on display be distinct to
the other and he be so interest to watch anya who be breath-taking in
the witch doe a fine job here took this be a
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie will keep you watch wait for the next character come out of
james mcavoy he should have win some award for his performance of a
man with many different personalities james be very convince in every
part he played the end be great but i don
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be surprise to see that this movie be release last year was ism
write this and i didnt hear about it take in consideration how promise
the plot is split be about three girl get kidnap by a man with
dissociative identity disorder did that have of pe
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what a remarkable film the premise of the film seem quite superficial
at of but a the layer be peel back theres so much much beneath it a
horror film without special effect goree a action flick without any
car chases a high-tension psychological thri
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
shyamalan have his debut with the critically acclaim the sixth sense
follow by positively review movie unbreakable and signs after that he
go through a series of dud with lady in the water the village the
happening after earth and be term one of the
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the devils rejects be not always a easy film to watch it have a
genuine savagery that make recent film such a hostel or saw ii non
spectacular though they were appear rather tamed think part of the
reason the film be such uncomfortable view be throug
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i of see this on a dvd in 2006 this be way well than its predecessor
house of 1000 corps it be sleazy gruesome and actually funny at times
otis baby and captain spaulding r the outlaw pursue by william
forsythe the rock once upon a time in american a
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i go to this movie have see 1000 corpses which i think be a great
retro style horror in the texas chainsaw massacre genre this movie far
exceed any expectation i had zombie nailed it in this one classic
freeze frames awesome soundtrack used with purp
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
alright i never bother with house of 000 corpses mainly due to the
poor review and the fact it look like a texas chainsaw massacre rip
off as a matt of fact i wasnt that interest in this movie at first but
the early buzz raise my interest and i go ou
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i go into a screen of this movie completely blind i hadnt see 1000
deaths and i havent even see any of rob zombies videos i do like his
music btw i have essentially no idea what to expect this movie be what
natural born killers tried to be its kill b
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in my opinion house of 1000 corpses be a fan movie fans of both the
horror genre and rob zombie be likely to love it though i do not count
myself a fan of either i do like both at times and i be quite familiar
with both those familiar with rob zombie
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
its sad that a film a wonderfully make a this be so grossly
misunderstood a let me say this right off that bath if youre idea of a
horror film be i know what you did last summer and you consider scream
and the exorcist to be the much shock film ever
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i already have a user comment for house of a 000 corpses submit here
on this site date over a year ago and a um a not very praising in fact
my of view of this film be so disappoint that i excessively discourage
other people here to see it rather than
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this of on cable channel in early 2004 wasnt that impress a a
horror fan rob zombies debut be a throwback to the horror film of
yesteryears stirring in element of the texas chainsaw massacre he do a
awesome devils rejects bad halloween remakes
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie deserve allot of praise simply for how good it play on the
norwegian cultural memes visually it be also quite good a it show of
the landscape and place in which the folklore of troll actually arose
and of course spice it with lovely comput
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this at sundance last friday and have to say it be the much fun
i have have at the movie in a long while the story be film in
mockumentary style a la cloverfield and have a healthy dose of spin-
dry scandinavian humor to accent the dramatic and
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ive be look forward to this ever since i of hear about it it sound
fantastic a group of three university student be make a documentary
about a series of mysterious bear killings but soon discover that it
isnt bear do the killing but trolls actual rea
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be a huge surprise for me i do not expect much but it be
one of the well movie of the year for me i have to admit that i be get
pretty sick of the usual movies recently i notice that after watch
thirty minute in every movie good or bad i g
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
we have all see the monster movie lately they always seem to included
zombies vampire of werewolves the troll throw monster movie through a
loop by insert the mythical troll the act be very much above part not
superb but good above average the specia
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its no big news that the horror industry have be in decline for the
last or so years western horror movie have all be dry-ed up and
hollywood be desperately remake any asian horror that have a plus rate
on because there people be still make good horr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
first of all if youre a horror fan see it you will enjoy this film
period know this ive see a billion horror flick from all around the
world this one give me the creeps first 20-30 minute you still have
time to relax from scare to scared but from the
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this asian horror film start off with a young couple tun and jane
drive back from a get-together late one night and hit a girl that
suddenly appear on the road this may sound very clich to season horror
fans but what ensue in the film be anything but
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this movie for the of time week ago at the bangkok international
film fest and it be amazing not only be it scary a hell ive never
scream so much in a movie before and ism a avid horror movie fancy it
have a wonderful and original plot line thr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
shutters begin when thun a young photographer and his girlfriend jane
accidentally run down a young woman on their drive home they decide to
leave the dead victim and drive away later thun discover something
strange when he find a mysterious shadow t
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
let me begin by say i dont like horror movies i dont enjoy jump in my
seat i dont like be afraid of the dark for the next days and i usually
hate spanish movies so usually i only see the big horror classics and
that be because ive read enough spoiler
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this at the brightest and its amazing do the previous reviewer
even see it no real shocks ive never see a cinema jump like the
audience at brightest for this film ism kind of tempt to name the
shock but i wont its such a stunningly make film cr
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
bone chill terror with a hint of the fantastic await audience who dare
to enter the orphanage produced by guillermo del toro the orphanage
continue the tradition the filmmaker start with film like the devils
backbone and panes labyrinth by show the d
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the orphanage be a slick and quietly chill piece of work base around
what else a orphanage a woman name laura return to the orphanage she
grow up in a a child with the intention of open it up again a a home
for child with disabilities together with h
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i think the film be good but didnt really live up to expectations i
didnt find it that scary admittedly one of the jump scare work on me
but otherwise i never feel any dread loom in the pit of my stomach the
film be gory than the mini series thats fo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
it have become ritual for me to read the novel with once a year every
year since it be release in 1986 the story be much than a gore-fest
its a story about love and hope and friendship that be still
meaningful to me to this day the only thing this mo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what persuade me to watch this movie be the bless bestow upon it by
the story original creator stephen king who claimed i wasnt prepare
for how good it really was he not wrong it be quite extraordinary the
attention to details the subtle but effectiv
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be one of the well movie i have see all years and one of the top
horror story ever told a its creepy simplistic and eerie be impress by
the enchant simplicity of the plot the lack of need for hollywood
special effects and the haunt atmosphere th
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the others be a very remarkable film from much than just one viewpoint
in a era where you can only impress young horror fanatic with bucket-
loads of blood and gross-out effects amenábar actually re-teaches his
audience that fear be especially cause b
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the others be yet another in a long list of great horror movie of the
new millennium i have always love ghost stories and this film have
easily become my favorite ghost story every its like one of the great
old black and white ghost story but better
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its funny that i see this movie the way i do perhaps ism much
perceptive to little dramatic human touches but i see this movie and
be satisfy with it in fact i fall in love with it this movie be
chilling very spooky with a few moment that will make y
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if i have to sum up this movie in a words it would be chilling a the
others be a delightfully atmospheric suspense film a its tense scary
and very memorable -- i dont think ill ever forget the image of a
terrify nicole aidman clutch her rosary bead a
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
alexandre ajar you have a new fan before this movie be release in
theaters i make sure to watch wes cravens original endeavor let me
just start out by say that compare to todays standard and conventions
cravens classic the hills have eyes seem almost
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what make early wes craven movie so special be this early and daunt
atmosphere he be so good in create and this be what hills have eyes
2006 totally lacked firstly the music through out the movie be awful
and totally clich and unfortunately diminish
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the hills have eyes although a remake of the original be everything a
horror movie should be typically ism not a fan of slasher flicks but
this movie have element i like to see in a movie i dont like to see
the protagonist make stupid mistake the old
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i havent see the original but i now want to because this movie rocked
the movie start a a slow-boil suspense horror movie provide some
decent jump-scares at little in the theater and spend some time build
up character the movie then switch gear and t
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
shocking disturbing at time hard to watch all word to describe the
horror of be force to watch moore take his shirt off but this term
also accurately describe this brutally vicious upgrade on wes cravens
1977 low-budget horror classic what would you
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
and by rate i mean the pg-13 one seems like you can get away with
murder this day with a pg-13 rate seriously thought while this be one
detail that get discuss quite a bit even before the movie come out
many fearing no pun intended that taimi have lo
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
it take sam taimi to bring fun back to the horror genre and ism so
glad he did in a sea of torture porn and found footages garbagey this
be a rare jewel that make you realize what youve be miss a a horror
fan if youre into samas other works you will
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
seeing the trailer to this movie i expect to go in and have a few
scene that be one that make you jump but i also expect the movie to
have something scary in it that make you think when you leave the
theater if you be look for cheap thrills loud musi
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i just feel compel to post this because somehow and i canst even begin
to understand how people and even professional critic like this movie
i dont get it i love evil dead and i still dont get it because this
wasnt campy -- it be just bad seemed thro
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the early trailer for drag me to hell dub it a sick the return to
classic horror and for once at least they be correct sam taimi manage
to incorporate genuine thrill and terror use the old-fashioned format
of surprise misdirection and suggestion as a
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
southbound doe three thing well first it have some genuinely new story
to tell thats not typical for horror where the same few story be
iterate upon repeatedly second it have fascinate character that be
bring to vivid life with remarkably few brush s
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
checked southbound out at the midnight madness screen at tiff 2015 and
it be a blast a throwback to the horror-anthology style of the 80 but
with a fresh twist on the wraparound the device in which each segment
flow into the next be unique and add a
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
or at little a really cool version of hell several story connect
together to create one big vicious cycle of a horror story about the
misfortune of a few people to end up on the wrong side of the dessert
its a anthology that remind me of the twilight
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be one of the much surprise find in recent years it absolutely
have no right whatsoever to be a entertain a it is if you be a horror
fan you be in for a treat a it solidly check off every box one can
imagine its vary yet interlock tale serve up
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
first off the downsides some part of the movie seem a little draw out
the film be two hours and at certain times you can feel that its far-
fetched and i can imagine some people roll their eye at the storyline
and there will be some people walk out sa
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism not sure what the original comment leaver see last night but it
certainly wasnt silent hill see a critic screen last night and must
say i be highly impressed as a fan of the games and anything relate to
them my faith have be firmly establish in g
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
you have to approach any movie adaptation of a video game with extreme
trepidation think of the other corker weave all catch on tv in the
past super mario bros mortal combat resident evil stinkers one and all
doom be vapid but at little get close to
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
horror try psychological triller and you may be close to understand
why be it that i find silent hill such a amaze piece of work with that
in mind the reason why silent hill work for me be because it have a
story to tell granted some of us be already
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
for everyone who have see or be go to see or be think of see silent
hill do not go into it think oath its go to be a scary movie because
its not suppose to be its for intelligent drama base crowd who like
good visuals story line acting and mystery th
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
never post anything here before but after watch normi i just feel that
i have to write down my thought about it firstly do not compare this
to blair witch this movie deserve far well than that simply put normi
be probably one of the well horror movie
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
note check me out a the tasian movie enthusiast on youtube where i
review ton of asian movies anyone familiar with horror film know that
much of them be not scary at all some people enjoy gorefests with
subpar story line and character development i p
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ok so i watch this at am with all the light off and my headphone on
and all alone in my apartments and i have to say i damn near soil
myself towards the end on many occasion i find myself hold on to the
edge of my sofa its that scary and believe me i
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
suffice to say i have never see a film quite like noroi it be perhaps
the creepy film i have ever watched note that i say creepy not scary
there be nothing that will make you jump in this movie but there be a
level of terror and suspense you ll be ha
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the babadook isnt for the mainstream crowd if youre look for jump
scare and scary monster you wont find any here the babadook be a movie
that tap into the basal emotion of fear it portray the truly terrify
thing in life grief loneliness and despair n
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
never write a review before havent feel the need but after see the
star review of this filmi just feel compelled firstly what this isai
would say a cross between the shining and we need to talk about kevin
this film be desperately sad a woman who be
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
at of glanced the babadook may sound like a tale that warn people a to
not let child put creepy story up into their heads it may also a be
like one of that old horror movie with child be influence a by the
ghost the titular monster seem to have the p
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
youve hear of feel-good films good this be not one its creepy and
disturb pretty good all the way a good old horror fantasy with a nod
to the psychological canniness of nightmare on elm street but much
much economical in term of special effects cast
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this film on copenhagen pix yesterday the movie be compare to
the orphanage and even though i like that film i be a bite in doubt if
i should go for it because i be not in the mood for a heavy emotional
mother and son horror-drama but its every
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
while do some research before review 1408 i be shock to discover that
this be the of time since 2004 riding the bullet that a film base on a
stephen king story have get the big screen treatment 1408 mark
somewhat of a comeback to the silver screen fo
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ive never see a horror film quite like 1408--can you even call this
film a horror well its not the horror movie were use to see in this
day and age the film that be suppose to scare us nowadays be make from
the same recycle junk weave be see for year
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if your horror movie taste run little towards chainsaw-wielding maniac
and much towards things-that-go-bump-in-the-night then this be the
movie for you based on a short story by the great stephen king 1408 be
one of the genuine movie sleeper of summe
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
just when you think it be safe to check into a new york city hotel
along come mikael hafstrom chill 1408 not since norman bates terrorize
guest at his motel have a pay customer receive such treatment during a
nights lodgings although somewhat much ce
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
please note that this review refer to the theatrical version and not
the directors cut dvd release which feature a completely different
ending mike evslin be a cynic he be the author of book that detail and
debunk popular ghost story and haunt hot-sp
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be very notable to me for be the of a that i be aware of a
horror film to come out of a middle eastern islamic country for this
reason alone under the shadow be a interest movie horror film
generally work well when there be a sense of myste
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have be follow the recent festival news regard under the shadow and
shortly after it premiere at the sundance film festival it be promptly
acquire by netflix the fact that netflix snag it right away from other
major distributor should be a real ind
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this at the phoenix film festival id say this be tie for my
favourite horror movie from that festival with eyes of my mother also
amazing ghost movie be really the only horror film that stand of
chance of scare me this days there be a few time
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be a film about war and its atrocities the primary goal of the
film be obviously not to be a horror film during the iran-iraq war and
especially after saddam missile land in many part of iran many be
affect psychologically children who start scr
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
under the shadow be such a wonderful surprise for me i have already
read some review and everybody be speechless about it i didnt really
expect something that good when i start watch film take place in iran
somewhere in the 80 when the iran-iraq war
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
why isnt this available in the us dont know how to describe this with
out make it sound like something its not but i have to say that this
be one of the creepy and much disturb film ive see in quite some time
its not perfect even if i give it a out o
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie be very touching in fact almost painfully so i would
recommend it to anyone in the mood to engage in a thought-provoking
narrative about the human condition have to admit that when i of see
this film i do not expect it to be what it is the
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
sorry for the hyperbole topic but i mean it i be a horror movie
fanatic and i have become desensitize to cheap scare with loud noise
and murderer run around with axes i be very picky and only like one
out of every few dozen horror movie i watch i als
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
kiyoshi kurosawa kairo have to be one of the much mesmerize
supernatural horror film i have ever seen the film be load with
extremely dark and brood atmosphere and some scene actually scare
menthe photography by junichiro hayashi be truly beautiful a
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism a big horror fan and this be the well little horror yarn ive see
in ages well acted with some recognisable faces brian cox be great a
the small town coroner that lead the autopsy on the titular body in
one scene he even manage to give me a sad lu
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
and a simply wonderful throwback to the 1970s when horror was well
horror -- and not base on gimmick like found footages but rather
genuine scene-setting story building audience engagement and full-tilt
creepiness probably destine to become a classic
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
while investigate the murder of a family sheriff sheldon mcelhatton
and his team be puzzle with the discovery of the body of a strange
bury in the basement that doe not fit to the crime scene he bring the
corpse of the beautiful jane doe olwen kellys
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this movie at night with my wife not know what to expect i be a
huge horror fan from old school nightmare on elm street to blood and
gore film like dead alive include a few foreign film like i see the
devil but in no way be i prepare for this a
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
from director andra øvredal trollhunter come one of the well horror
movie of 2016 the autopsy of jane does suspenseful clever and creepy
from start to finish this horror movie follow the story of father and
son played by brain cox and emile hirsch bo
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
baskin come from a country for which horror genre outing be quite
atypical to see despite not have much to compare with locally it be
clearly a passionate and well-made horror even when examine against
country that contribute to the genre much much f
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
came across this title while browse on read very positive review by
regular poster in hcb fortunately get a pirate dvd with subtitle for
of rupees the movie start very promising cops chat dine in some very
creepy motel the atmosphere be creepy the ch
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
id have my eye on this movie for over a years constantly check to see
if when and where it be get released the of trailer for it immediately
hook me and i need to see this movie now i finally have and i can
safely say the wait be worth it with what l
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
if you be tire of modern horror film fill with cheap and force jump
scare construct in a way of mute down the sound and then throw a
explosion of loud noise in your face to try to scare you and be rather
interest in watch a film fill with tension dre
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the market for international artsy horror flick have be surprisingly
lucrative in the past few years with acclaim film like the babadook
and goodnight mommy and even the american production it follows and
the witch but probably the much imaginative a
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
kokuhaku for confessions be a real winner from japan just like the
title the movie be about the confessions of a group of people after
each confession a new detail be add into the story until it become a
complete story at the end feel empty very dist
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
confessions be one of the much savage brutal and poignant revenge
story i have ever seen it doesnt start off all that great but it by
the end i be in awe the movie begin in a japanese classroom on the
final day of class before the spring break and th
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
lionel shrivers novel we need to talk about kevin go place where few
novelist have dare to ventured she do a great job that entire stretch
where kevin go crazy be skillfully write and ms shriver deserve the
orange prize however director nakashima hav
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a surprise box office hit in japan confessions make its way to the
toronto international film festival and also choose a japans entry to
the oscars however its a very japanese movie i can only recommend to
viewer who have see over of japanese film or
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a good review doesnt always have to be long and there be really just a
few word need to describe this movie stunningly beautiful cinography
dark disturbing and yet great that be said dont diva into this thing
if you plan on watch a good fast revenge
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
back in 2009 director sean byrne bring the lovely ones to the toronto
international film festival tiff the film win the midnight madness
peoples choice award but it somehow never really catch on amongst
horror film enthusiasts i myself must admit tha
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
when i of see the description of this movie i think yeah just another
possession movie yawn probably go to be a waste of my evening but then
i take a look at how many positive review it be get and decide to give
it a go and to no disappointment this
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wow a great horror movie i be slightly put off by the cover art of
this movie and almost miss this one think it be a slasher film it be
not i be not a fan of simple gore slasher movie and i visually
categorize this a something akin to devils rejects
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the big problem modern horror film seem to have be make the audience
care about their characters generally they be so cliché bland dumb and
unrealistic that within the of minute of the film no one care any long
about their fate so when i see early on
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be tense disturbing with some heavy imagery gripping and
have great acting its not so much scary a its disturb different things
the way i see it watching it be a intense experienced theres some lack
of imagination in the underlie plot in p
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism floor by the poor reception this movie got its a love throwback to
horror classic with modern polish clearly influence by hp lovecraft
and body horror classic like hellraiser and the things if you like
classic horror i horror before cgi and jump
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be shocked see too many 80s feel horror or so called which be either
poorly film or the act be painful just hear about this and think not
another but happy to say this be very good its not go to win any
oscars for acting the script be not shakespea
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
first off ive see some negative review on here that have truly
surprise me after grow up a a fan of horror during that wonderful 80
period i can honestly say the void feel a comfortable a it doe
uncomfortable especially if youre a fan of that movie o
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i attend a screen of the void at the nevermore film festival in
durhams ncc it be a remarkable throwback to classic john carpenter-
style films i hesitate to list too many detail about it since the feel
of the film be very much like a nightmare that m
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i step into this flick without know what it be all about so it be a
big surprise that i find this one a gems can i say something negative
about the void well not maybe for some the story will be a void
because its all about weird things supernatural
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie make you realize why so many other movie fail to be scary
not enough psychological elements what this movie doe right be that it
skip the goree and blood and over-the-top overact craze lunatic that
seem the norm in horror movies i see this
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i of watch this movie with a couple of friends to be honest i be
expect a teenage slasher flick i be prove wrong the film circle around
a curse videotape that cause its viewer to die in seven days
investigative journalists rachel keller begin to unco
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
before i see the ring i use to think of horror movie a something about
a supernatural sometimes not supernatural force that gobble up people
in bizarre series of death usually accompany by blood and goree maybe
i ought to blame it on my own selection
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the year be 1939 the spanish civil war be near its bloody end ten year
old carlos the orphan son of a slay republican be leave by his tutor
at a isolate orphanage for boys the school be destitute barely able to
provide enough food for the children bu
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a beautiful atmospheric story about a haunt orphanage to date i think
its del torous much complete film combine his trademark visual with a
very touch story about war death guilt and grief and ultimately
homelike panes labyrinth the story be set agai
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the devils backbone el espinazo del diablo aspect ratio 85 1sound
format dolby digitalduring the spanish civil war a young orphan boy
fernando twelve be send to a isolate board school where he encounter
the ghost of a murder child junior valverde who
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the devils backbone be a spanish language supernatural thriller a it
consist of a haunt school for orphan boys a now in a american film
that would be all you get a ghost run around scare the young
inhabitant of the gloomy building a thats it and it w
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
great care have be take with the art direction you be immediately
transport to 1939 with francois army about to descend on the spanish
countryside even the crumble building of the boys school the character
inhabit play a role the actor be superb and
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
sleep tight be both a intense intrigue and a excite portrait of subdue
madness ¨mientras duermes¨ the official english title be sleep tight
but the correct translation be while you sleep which to me be far much
creepy live up to jame balaguero reputa
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have no idea what this film be about before i see it and boy be i
pleasantly surprised from the same director a rec and also set in a
apartment block this spanish gem have a great cast especially the lead
luis toward who play his part superbly fill
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
firstly i feel it be important to state that though the market say
everywhere from the director of recur and i understand why this be
nothing like rec i personally think that rec be a excellent film and
despite be a addition to a over exhaust genre a
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have see erect some month ago and i just wasnt sure i means how can
you tell if there be a visionary director or some random guy who just
get lucky rec wasnt so demand by concept and it all work out fine so i
have to check another one by and this t
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as a horror fan i like watch at little one horror film every day when
i get the chance and recently ive notice a certain pattern in thriller
horror films theyre mostly thrillers with some touch of horror and not
basic horror mientras duermes sleep ti
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
although the word grudge doesnt quite fit the bill a part of the title
of a horror film -- one think the curse would have be much appropriate
but such be the curses of translation -- ju on hold up extremely good
a a horror film built upon a notion th
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
rika wishing megumi okina work for a social service agency in tokyo
although sheds never see any clients when a new case come in and
theyre short on staff her boss have to send her out her of case be a
doozy when she enter the clients home no one see
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ju-on the grudge be not a easy movie to find in america for at little
it wasnt when i of write this review and after hear it hype to the
heaven in magazine such a fangoria and rue morgues and by word of
mouth a well i know i have to see it i finally
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if you only love american cinema and hate everything not english you
ll hate it if watch ring make you feel that you somehow know a lot
about foreign movies you ll just sit and compare the two a which be
too bad because theyre both great in their own
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
unlike many of the reviews below ism not go to take cheap shot at that
who may not like ju-on will say however that any fan of supernatural
horror owe it to themselves to decide on this one for themselves
wholeheartedly agree with that who find this
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
sometimes i cannot understand the dissonance between me and a great
numb of movie reviewer on this page i have not see any trailer of the
sort because i didnt want to preview part that may spoil he movie with
that said ism so glad i watch this film t
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism not go to give a review of this film ill leave that to other who
can argue whether it be worth watch or not for me i feel it be one of
the well thriller with a horror bend that i have see in a long while
but herems the things i dont really like h
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i couldnt believe my eye when i see the score for this film it doesnt
do it any justice and some of the review ive read here dont make valid
point in my opinion so i feel i owe this film my own review first of
all the tension man this thing have a ki
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ive read a few review here both for and against the film ism a die
hard thriller fan and i think that this film be very good done it be
slow- but why be that a bad thing ism not sure it build to a great
ending a my only me be the actress who play ede
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i be intrigue by the invitation due to the seriously glass of red wine
on the posters it look at once mature and allure but also incredibly
dark i convince my brother to watch it with me one night and this be
our story the invitation set itself up a
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
hush be a lot like the strangers except instead of stranger plural its
only one man and instead of a husband and wife be terrorize its a deaf
and mute recluses its very tense and cleverly write bar a few clich
trope that come with this kind of movie
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
great idea that unfortunately fall short of what i expected both lead
character be make to purposefully fall short in their ability to
outsmart one another by simply be mediocre at be the killer and the
obvious survivor so youre not so much glue in a
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
hush be a fast-paced modern slasher flick with a twist take on the
genre well the twist here be that the lead protagonist be deaf and
mute from her teen and the director-writer combo of mike flanagan and
kate siegel who also happen to be husband-wife
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
hush focus on maddie a deaf-mute writer live alone in a remote house
where she be accost one even by a psychopath hellbent on terrorize and
murder her and direct by mike flanagan who many have cite a a
contemporary horror maestros hush be a straightf
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
maybe it say something about me that i be able to figure out that she
be deaf before the movie tell me over and over again while that may
seem insignificant at first it set the stage for a overly predictable
movie to come not even come in at of minut
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
what be the ingredient of good horror a small contain location and
group of people a situation that force and magnify events a terrify
protagonists characters you care about authenticity this movie have
all of this in spades the location be a tiny se
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as night begin to fall for a thirty day spell over a small alaskan
outpost village a motley crow of vampire come waltz in for a feast in
david slades adaptation of the graphic novel 30 days of night ever
since interview with the vampires vampire have
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have the opportunity to see this film tonight at a free screen at a
theater in chelsea ny with the director david spade melissa george and
josh hartnett all present at the screen and i walk in expect another
run of the mill vampire movie and walk a
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
30 days of night be easily one of the well horror movie ive see in a
very long time mostly because everyone involve seem to know exactly
what it take to make a decent horror movie its not obscene amount of
gore or monster jump out at the camera that
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i didnt think i can get exit by watch a vampire movie ever again all
the great have make fine use of the mythology francis ford coppola
neil jordan steven norrington guillermo del toro and let not forget
one of the great ff we murnau of day of night
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i really enjoy the of film the character be real they make
understandable decision in stressful situations it be a fresh take on
a very clich general zombie films the a film unfortunately have none
of that unrealistic character make the same irration
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
of weeks later have to be the much disappoint sequel ive ever seen
this review will contain spoilers however its nothing that the
filmmakers themselves havent spoil to start with lets start with the
much fundamental element of film-making camera work
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film sucks the director use only one shoot style shaky-cam the
director somehow end up read this review shaky cam shoot doe not equal
good unique or even a innovative shoot style its use by people who
need to cover up their lack of a story with
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ism open to believe the us army be stupid- but that stupid how do kid
get out of the safe zone and manage to steal a moped ride through
london hang out at their house and meet their mother before the army
can catch up with them the purpose of putt th
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
having see of days later i think i be prepare for this but i be not
somewhere near the begin of the film be a scene that go from zero to
psycho in about second flat the begin of 2004 dawn of the dead also
have a wildly chaotic kick-off scene but unli
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
it be difficult to describe the movie actually to describe what be
attractive andor excite about the movie for me you can say that it
begin much than slow but will build up and be very disturb toward the
end ism not gonna give anything away from the
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
some movie ask of your time like other seldom dare to try these be the
much rewarding in my opinion because have allow ourselves to be so
absorb and entrench in their sagas our empathic connection with their
character can almost make us feel like we
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as manipulative a a lot of hollywood fodder bedevilled should be a
sinker that it isnt be testament to its beauty commit performance and
a fine feel for harshness though overlong its powerful and
occasionally savage stuff we follow hae-won return to
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
bedevilled be another and once again brilliant tale of revenge come
from south korea which be in the vein of already now legendary
masterpiece such a oldboy and i see the devil what distinguish this
movie from the other one and justify itself to meri
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
first thing first i really dont know whether the people from the west
who arent that familiar with asian culture that too the rural culture
would really relate good to this movie but i think its one of the much
interest movie ive ever seen to be fran
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if you be go to make a horror suspense gore flick that want to be take
seriously like this one obviously does of of all you need believable
character that the viewer can take seriously unfortunately of l
intérieur set a new standard for ridiculous an
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the only shock thing about this slasher be its rate obviously some
people be really easy to please shock first off if the event take
place on christmas totally irrelevant for the plot by the way why be
all the foliage green was in late-summer green a
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i can only blame myself for have watch this ludicrous film to the end
after all it be on cable and all i have to do be change the channels
but i didnt and now ill have hideous image burn into my memory for a
long time to come the plot be so unbelieva
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i have to say ism a pretty big horror buff and its be quite a long
time since i see a film a offensive and irritatingly stupid a inside
the story concern a young pregnant woman who be menace in her home by
another woman who want to steal her baby one
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
how rare be it that we get a good monster movie the 1950 be fill with
monster movie that a cheesy a they were they be also a ton of fun
victor salva be a fan of that movie and it show when he write jeepers
creepers a fun horror film with a great new
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
victor salva auteur turn in b-horrorland be well than most mainly
because he be so much much interest a storyteller than many of his
genre contemporaries a jeepers have several thing go for it suspense
develope characters above-average acting and vis
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
every once in a while a new horror film come along that reinvent the
genre jaws halloween the exorcist a nightmare on elm street these film
not only prove to be entertaining but they add something new and
visionary to a market that seem to thrive mos
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
jeepers creepers have much in common with 1950 ec horror comic book
than any horror movie that have be make in the past twenty years a
that fact isnt bad its great a there be a lot of horror plot idea out
there that have never see decent expression a
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i must say that abia be one of the good thai horror movie directors
from shutters body of and iron lady prove that they all can come up
with suspenseful tale together there be four story and each of them be
of minutes the four story be pretty engross
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
there be no such thing a asian horror even though there be plenty of
common elements each country have its own way of deal with horror
films especially stylistically abia be a new anthology project give
room to four thai talents the four story be eve
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
so ism go to write a little mini review for each short a they show and
a i see them and then do a review of the movie a a whole after story
of happiness effective little ghost story use testing a a medium where
a recently decease ghost talk to a home
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its be a while since ive see a thai horror i really liked or every
maybe since the much memorable be shutter and i wasnt a take with it a
much people be though i want to give it a a viewing 4bia be a
anthology of four horror story of about a half hou
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have the pleasure of watch this thai anthology tonight separate
story without a wraparound i be pleasantly surprised the of story be
about a woman and her cell phone and all of a sudden someone message
her out of the blue she be kind of lonely so s
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
phobia be was be predecessor divide into short segments direct by a
all star team of thai movie makers that be maker of movie of the scary
kind its rather unfair to write a review of the movie a a whole so
instead ill write a bite about the individua
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i admit this movie be excellent it get much scare and much gory the
movie have stories novice ward backpackers salvage in the end i like
of them novices be gory ward be scary backpackers be thrilling salvage
be scary yet gory and in the end be funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
an anthology be the sum of its parts so how doe this particular set
stack up novice a young man with a trouble past be leave to live among
monks where karma catch up to him interesting idea but lack in
execution and a bite bore until the end ward an
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i quite like phobia so i be quite disappoint that this sequel with
five segment by different directors doesnt come close to match the
first what i especially like about phobia be that three out of the
four story have good suspense for horror with rel
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in the plot summary it describe the last story to be scary but it be
actually very funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
well then what do we have here a modern horror film place in the 70
80s era i already like ti west thinking with much horror film today be
god damn awful it refresh to see one which pay homage to the classic
while try to be unique from start to finis
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in the house of the devil a young co-ed jocelin donahue hard-up for
money to pay the rend on her new place off campus answer a ad for a
babysitting job way out in the boonies only to be plunge headlong into
a bizarre devil-worshipping cult in search
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ti west who direct the underrate cabin fever of spring fever be a name
to watch out for the house of the devil although not fantastic prove
that west have a excellent eye for visuals detail and create suspense
this film feel a though it have come dir
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i hear some good thing about this film before viewing and then on this
site hear some bad things ive come to believe that listen to other
doesnt always help its all about opinion and experienced and in my
opinion this experience be worth itai wont ge
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
contrary to common belief this film actually portray three consecutive
era of hungarian historical reality use visually shock symbolisms the
film start with the final day of fascism where one oppressive extreme
give birth to a other directly opposite
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
georgy palsies a feature taxidermic be definitely a milestone in
hungarian film-making it be a truly astonish experience and i would
thoroughly recommend it to anyone want to broaden their taste for
cinema i find the film to be a deep black comedy wi
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
györgy pálfi a feature length movie be taxidermia which be about three
generation of a family and all of them have something very peculiar
about them the of one be a horny officer his son be a very big sport-
eater and his job be very important of him
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i think this be a true original and it make me break out in a sweat at
certain points not many film have a physical effect on their audience
there be some astonish moment and scene transition that be literally
breathtaking i didnt believe the directo
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a soldier with a rich sexual fantasy and lot of time on his hand for
well said with his hands an obese man compete in eat contests a
taxidermists what do they have in common well quite simply put part of
their genes they are respectively the grandfat
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i do not know anything about mike when i see gout i read about in a
magazine randomly and it sound like something i have to see then i
wait a few week until it be in the theatre here i tell my fellow david
lynch fan officemate they here be this movie
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
mike be probably one of only a dozen director to make 6-8 movie a
years yet he be the only one to keep not only a consistent quality at
this rate but also to keep surprise his fans gozu be a case in point
yakuza meet turn ugly when ozaki in a paranoi
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be perhaps the of movie ive ever see thats have me consistently
laugh out loud and then nearly creep me out to the point of passing my
pants dont get me wrong this movie wont have you shriek because of
frights but it will quietly nestle itself i
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
despite all the nice thing that people have to say about this film the
plot twist in it make it a utter waste of time spoilers follow
although i doubt i can spoil the movie any much than the director
already did although i doubt it make a difference
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
and so will faces slash throats dismember hands decapitate heads backs
arms feet stomachs chests in fact just about everything that can bleed
doe bleed in this movie and doe so copiously high tension aka
switchblade romance much well title be the wel
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
my god without a doubt i have not be affect by a movie this much since
watch the original texas chainsaw massacre when i be good under age
and the movie be certainly much than dodgy i couldnt sleep after watch
that and be very uneasy multiply a gazil
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i just canst get enough of this film this year alone i have already
watch it time and the year isnt even do yet it work on so many level
and be so much fun the way the convention of the horror genre be turn
upside down while at the same time the stor
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if you be a fan of art drama or you simply dont like the horror genre
i can understand if you hate this but for every true fan of horror
with at little a basic knowledge of at little cult horror through the
history of the genre this should be a real
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this film be a horror movie that be poke fun at horror movie and movie
in general so if youre look for a film that you can cradle a scare
lady-friend to this be not the one to anyone who have watch southpark
britney spears episode you will know the p
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the cabin in the woods be a spin on the horror genre from writers joss
when and drew goddard without give away the spoilerish part of the
plot ill simply say that it involve friend who fit the horror movie
stereotype jock slut party-guy nerd virgin w
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism a big horror fan i have be since i be a young child ive never see
anything like this movie before its a combination of everything its
take everything from every other horror movie and throw it all into
this movie but what be really impressive be
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
even the website of this movie give me the creeps and it turn out to
be one of the scary movie ive see in a while a we follow the touch
story of a young hong kong girl blind from her early years who undergo
a corneum transplant after soften us up wit
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
of all the horror movie genre in existence ghost story have always be
my personal favorites the hauntings ju-on the innocents ring the
shining all nice moody creepy ghost tales the eye now find itself at
the top of my list along with the aforemention
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be not the of time that a movie where the main character get
corneal transplant which not only make her see but give her paranormal
capability have be done a good reference be blink where madeleine
stowe be the receiver of the creepy transplants
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ive be to thousand of movie in my lifetime and own hundred of video
and dvds so i be a fan but not a bona fide film critics a this be my
of online review my wife and i see the original dawn of the dead of
year ago at a midnight show and leave wire en
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if you havent guess already i canst sing the praise of this movie
enough at last a zombie flick that be two very important things not a
b-movie of an absolutely crack a-movie just get back from the cinema
still amaze with the quality of this film i d
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
shortly after a numb of strange case begin to appear at the hospital
where ana sarah polled works a bizarre zombie epidemic hit the
milwaukee wisconsin area full force sarah escape her immediate threat
and meet a numb of other human who decide to see
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i go into this movie completely excited and i wasnt even really
disappoint either the act be very good and i actually love how they
didnt follow the exact storyline they take the basic of the original
dawn of the dead and make it much contemporary i
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the of thing you need to know before you watch ginger snaps be thats a
real horror movie that mean genuinely unsettlings disturbing makes-
your-skin-crawl kind of stuff and youre plunge right into this from
the start the open scene involve a mother an
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism so happy that i watch this brilliant gem of a horror movie two day
again that politically correct time where idiotic mtv-oriented teen
slasher and comedy be make in the sit be really good to see such
original film like ginger snaps why because it
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
brigitte now have the virus in her blood that destroy her sister
ginger in the of film so to prevent herself from change into the beast
she inject monksblood into her system but after a overdose she wake up
in a rehabilitation clinics which now she h
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
you know tis such a shame that neither of this film go wide release
sure they need a little touch up in some place but this film be
definite quality material a breathe of fresh air in the horror film
which be recreate itself once again a a truly impo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be the only sequel i have see that can be consider a improvement
on its original i m a great fan of ginger snaps and be really excite
about this film when i of hear about it unfortunately when it arrive
at the cinema i be to young to see it ism
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ginger snaps of unleashed actors emily perkins tatiana maslany eric
johnson writers megan martin director brett sullivan the a part of the
ginger snaps trilogy pick up after the of one brigitte have infect
herself with gingers blood who have turn int
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a enjoyable and surprisingly competent dev follow up to cult a
hit ginger snaps the of film be dark entertain and witty and a have a
good amount of tension and scares the sequel be good fun but a lack
the wit of the original and a certain amo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have see other film by jan svankmajer so i have high expectation
when i go to see this late release i be not disappointed this be
possibly svankmajers much accessible feature film a it follow a simple
linear narrative on a parallel to a a fairytale
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have the good fortune to see this at a special show in washington
introduce by the director a i just want to say that i find it
fascinating very funny and pretty unnerve at moments a friends of mine
have recommend svankmajer animate works which i h
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the film be base on czech fairy tale otesánek greedy guts it be a
story of a love but childless couple karel and ozena whose big dream
be to have a baby to make his wife smile karel dig up a tree root and
carve it to look like a human baby so overwhe
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have never hear of jan svankmajer before see this after record it at
3o clock in the morning on channel four and i certainly wasnt
dissapointed this film a like the rest of svankmajer work be truly
original and unique its a must see for anyone whoa
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
----le pace des loups--- or-- --the brotherhood of the wolf--- or
-------el facto los lobos---- ---title in french english and spanish
respectively is simon one of the most original movies in modern cinema
le pace des loups be a very entertain movie
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in 1765 something be stalk the mountain of south-western france a
beast that pounce on human and animal with terrible ferocity indeed
they beast become so notorious that the king of france dispatch envoy
to find out what be happen and to kill the cre
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
from what i see in the preview this look like a interest movie then i
hear from some friend that it be pretty good so some buddy of mine and
myself go and see it a i have to say that i loved this movie a i know
it be go to be subtitled and i know it
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the premise of shadow of a vampires be simple what if max schreck be
really a vampire pose a a actor play a vampire in the murnau
masterpiece nosferatu well the result be both slightly scary and
pretty funny director elias merge and writer steven kat
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
every once in a while a movie come along that completely and maybe
consciously defy categorization and shadow of the vampires be a great
example a it be at once a black comedy a horror movie with a unique
setting and a bite sendup of the art and busi
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a fictionalize account of the make of the classic vampire film
nosferatu direct by ff we murnau shadow of the vampires be a interest
yet creepy film but above all its willem defoe magnificent performance
a max schreck that make this film unmissable s
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be a true relief for everyone who think the genre of horror
and mystery be dead and buried it feel good to see that its still
possible to create movie like this even though the plot be rather
simple the movie seem to be very original and i
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i wouldnt have thought that i can watch one much torture horror movie
and be entertain by it the loved ones however may be the last movie of
that subgenre to actually be worthwhile really worthwhile that is much
like wolf creek another australian hor
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the horror genre be in a sad a state a every but its not for lack of
trying the talent be there the fan base be there the possibility be
there the main issue be a lack of common sense on behalf of producer
and distribution companies as with 2009 fabu
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i attend the international premiere of the loved ones at the 2009
toronto international film festival in two words the film be a instant
classic sam taimi step aside this australian carrie flick be perfectly
execute in the hand of first-time feature
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
totally surprise by how awesome this was i be expect some campy
shallow high school horror film and instead get real thrills real
scares and real characters canst stress that enough awesome
performance by actor who have character write a real people
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
walk out in film be a dime a dozen bad act terrible script or maybe
the vibe be all off its all part of the hollywood game when people
walk out of raw in paris last year at its of screen it be for none of
this reasons the reason people walk out and t
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i hear the hyper how this film be so horrific that people leave midway
through the film after be so repulsed they be physically ill i go in
with the negative expectation that this be go to be a gore fest
spoilers its not what we have here be a partic
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
we have all see the umpteen coming-of-age or sexual awaken story but
when be the last time you see a becoming-a-cannibal story this be one
incredibly muscular piece of filmmakings marry visual poetry with
slow-burn horror into one potent and delectab
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
for her debut feature film writer and director julia ducournau opt for
the particularly taboo subject matt of cannibalisms its a bold and
admirable moved a if theres anything that get audience member up in
arm and storm out of a movie theatre its the
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
what a disgust way to spend a hour and a half raw be one of that thing
thats disgust and grotesque but so intrigue that you canst look away
all the act seem good and the character be interest enough the movie
take a bite of time to really pick up and
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the conjuring doesnt waste time in bring the scare in by that i mean
youre pretty much in the thick of it within three minute or so be give
some background via another very notorious haunt incident for what be
to follow the warrens be send on behalf
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the conjuring be a shock horror film it combine every creepy trope you
can think of ghosts dolls music boxes mirrors you name it and it
actually work thank to a genre-savvy director behind the curtains
james wan have prove himself a capable producer
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
first the all-important question is the conjuring scary like jump out
of your seat watch through your outstretch finger scary the answer to
that be yes under james wants direction even the much cliched haunted-
house trope and this movie be burst with
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wow wow wow ive never be much of a fan of sequel but the conjuring be
incredible ism never one to jump at everything scary i see in movie a
usually youve see it all before lets be honest nothing really scare
you much when your not a teenager anymore
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the conjuring of be a excellent example of what much sequel should
aspire to be it be a perfectly execute haunt movie from james wan that
dive deep below the surface to explore theme of vision belief and
faith the family drama be still right at the c
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have fun watch red eyes its not a masterpiece but its good direct
and structured gillian murphy and rachel mcadams be perfect in the
role yes its the same old story with a different set but wes craven
give it a good pace at little not another screa
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
red eyes be all about lisa mcadams who be simply try to get home
during a bad weather snarl at the airport and find herself stick on a
red-eye and fly headlong into a suspense drama a busy fun little no
brainerd red eyes begin like a romcom morph int
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what i like well in this film be that like the film of hitchcock it be
a thriller that doe not take itself too seriously hitchcock understand
that people go the the movie to have a good time something that
hollywood seem to have forget in recent year
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ive see thousand of movie and have never write a review but the red
eye i witness be so at odd with the glow tribute post here that ism
compel to offer my two cent in protest- and vote the low score
possible just to bring the average close to reality
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
red eye be not the kind of movie thats go to win the pale door but wes
craven have never be that kind of director anyway and his brand be a
good indication of what a film-goer can expect the fact that red eye
be a tight little undemanding package at
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
saw this on a rent dvds been on my radar for a long time a the plot be
about a couple and their infant baby who move into the backwoods of
ireland a the male joseph male who be a expert in microbiology have
come to inspect the tree for clearance he b
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the premise of the hallowd be nothing new a family in a isolate house
in the woods strange thing start to happen is there a logical
explanation unfriendly neighbor who want the family away or be there
something supernatural in the forest unoriginal c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
pulling from ancient irish fable and mythology the hallowd also know a
the woods take the fairy tale atmosphere and destroy it with
malevolence and forebode darkness tasked with unfortunate
responsibility of go into rural ireland natural landscape br
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in ireland the botanist adam joseph male move with his wife clare
bojana novakovic and their baby son finn to a remote house in the
backwoods to study the local forest he be warn to leave the place by
his neighbor cold donnelly mcelhatton but adam do
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i feel a if this film need to be praise a it carry out a very good
execution for such a overuse plot you have your typical family stick
in the middle of nowhere creature activity gimmicks fortunately play
out smoothly in the hallowd i feel a if the c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i still have not see the original so go into this hear people say this
not a good i find this mostly excellent the two kid do a great job the
tension be mostly set just right the slow build-up at start be not
remotely tedious the actual gore be just
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as a fan of the 2008 swedish film let the right one in i be originally
very frustrate when i hear the news about the upcoming remake how do
you ameliorate something that be already perfect i ask myself i treat
the remake with hostility and vow to sta
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
given the background to this film i must start by say i have neither
read the book it be base on nor see the 2008 swedish original after
watch this masterpiece i intend to do both this be a truly sensational
film when you canst really pin a film down
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be ashamed to say i have not yet see the original swedish version of
this movie although it be on my list of to does for the very near
future especially after see the hollywood remake which be in one
hyphenate words jaw-dropping the very of frame i
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
whether you be a fan of gothic horror or not let me in be good worth a
view and by no mean be it just a scary film it be so much much than
that before i go into the film itself i have to comment that this be a
re-make of a swedish film call let the r
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
not for the squeamish but the numb of twists inventive use of
situation use vampire mythology gorgeous visual extremes together with
interest and quirky character make this one of the much stun horror
film ive ever seen it descend into utter madness
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
director chan-wook park become famous all over the world with his
vengeance trilogy and even though i like that three film sympathy for
mrs vengeance oldboy and lady vengeance very much it be also pleasant
to see park explore different horizon with t
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
now that i have see it it be not what i be expecting at little not
until the very end i read some of the other review before pick up a
use copy of this from amazon and be glad i did having be of introduce
to parks work via oldboy i be curious to how
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
talk about get your sock knock off this new amaze movie from park
chan-wook would be my favorite new take on the vampire genre if not
for let the right one in which still remain my fave but this one be
right behind it a catholic priest volunteer for
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i think this be go to be a creepy horror movie with a good tone and
vibe go for it i do like the atmosphere especially the begin few
minutes i think it would be one of that movie with a really creepy
feel to it with some clever element throw in i be
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be lucky enough to see this at a friend house last night go into it
blind and boy what a nice surprise whilst yes its another haunt house
movie this bring something new to the table with a great climax to the
film that really ramp it up the perform
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
middle age couple grieve the recent loss of their son move into a
remote house and find themselves catch between the evil in the
basement and the nutter from the local town swimming against the tide
i know but i find this really poor it open with nic
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the plot be solid enough the movie be entertain enough also mean that
if you want something new to watch in the horror genre- this movie be
just entertain enough the lore can have be improve upon and with some
much back story perhaps even some flashb
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie suck big time its awful in all its extension the actor be
horrible all of them it seem that they never act before but larry
fessenden beat them all in the wrong possible way gosh deplorable act
and the possession part i couldnt believe my
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what a film soon have do it again this film have it all first the plot
it be the tranquil set of a family that be anything but a soon the
silence be shatter with event that make the unit fall apart there be
normal and usual films nowadays this be wha
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
even though the protagonist shamoto be a adults this be essentially a
coming-of-age movie in a doom world shamoto be introduce to murata a
psychopathy everyone seem to do what murat want them to include
shamoto wife and daughter shamoto try to go aga
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
mrs soon be a uncompromising filmmakers his resume be fill with odd
characters unnatural situation and twist that come at you from nowhere
this be base on a true story about a sadistic couple who kill dog
lover the truth be strange than fiction in th
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after be shock and transform in transgressive visitor qu a decade ago
i once again find a movie that hit me in the face and that i will be
think about for days weeks month and year to come once again it be at
fantasia film festival and once again it
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
youre next is unabashedly yet another nuclear family andor rich yuppy
besiege by mask psycho killer at vacation home slasher right down to
the obligatory last girl elements but while the movies schema be
completely typical its execution smart script
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
youre next be direct by adam winnard and write by simon barrett it
star sharns vinson nicholas tucci wendy glenna adj bowen and joe
swanberg music be by mads heldtberg and cinematography by andrew
palermo the davison family and partner meet up for a
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this kind of film be usually low rate by me its very rare that i find
one good film and that happen to be this one i be brace for another
disappointment then i totally get surprise when it reach half way mark
good twist took in fact there be many twi
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
my rate be give in context shawshank redemption or citizen kane it be
not but the maker be keenly aware of what they be filming i be not a
fan of scary horror or gore to put it mildly and after the of kill i
be on the verge of just give up i be glad
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its a family reunion for the davison family the father be in the
market department for a huge defense contractors and hers loaded erin
sharni vinson be one of the sons new girlfriend a gang of mask killer
descend on the family but erin have a few sur
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
beneath all my suffocate inhibitions my inability to share my true
feelings my fear of do what it be that i really want to do there be a
character somewhat akin to hirata in sion sons why dont you play in
hell here be a ridiculous and frankly insane
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i watch this movie few day ago and it be the of soon sion movie i have
ever watch in cinema the movie be quite funny with bloody scene and
mad character especially the film producer director play by hinoki
hasegawa a soon always does you can say that
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the much movie of sion sons that i see the much i realize that he be
one of the great artist work today its a big claim and i dont like to
kiss ass but the man be one of the few people work in entertainment
and art that see through the current state
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie exist only to impress you acclaimed japanese director stion
soon love exposure suicide club coldfish have craft a delirious and
extremely over the top comedic action thriller which will surely
impress audience all around the globe its very
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wow what a beautiful and sophisticate supernatural movie about life
and death acting be superb plot very interesting music amazing very
atmospheric scary but also touch story about the ghost of a little boy
who have a special bond with his mother whe
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i rent this on dvd today and be pleasantly surprised the dvd have a
alternative end for the movie which i be glad have not be used the end
that be choose be the well choice be immediately draw into this movie
with its intrigue story how each characte
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
two reason why i watch this first ive be recommend this film by a
friend secondly it star barbie hsu with a name like that why shouldnt
i want to watch this ok so i know she star in the taiwanese pop-drama
television series meteor garden and be just
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a movie with much creativity its not just about ghost but also
sci-fi and many other factors dont expect it to be a typical ghost
movie its much well than ghost movie which just try to terrify people
many people will enjoy all the complexity
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
loved the plot in this movie and the twist and turn that leave you
guess until the very end if you dont like subtitles i would suggest
that you dont watch it but if your love something a little different
leg purfumer this be the movie for youth direc
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i work at a video store and when customer ask me whats a good horror
movie that will actually get to them i dont suggest any of the freddy
or jason movies those be for fans and i dont consider them to be
genuinely frightening session is much definite
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
seeing a film like session just reaffirm that there be truly great
film still be made while many including the filmmakers will find
comparison to dont look now the shining and even a nod to the
changeling session still stand on its own a a much effec
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
everything about this movie impress me the script be lean and
inventive the direction stylish without be overblown the act top notch
even the shot-on-video cinematography look great with the exception of
one or two exterior shot that have a hint of v
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
made on a low budget this brilliant horror film succeed because it
doesnt fall back on any cheap gimmicks like special effect or shock
moments but instead provide a eerie forbid atmosphere and genuine
three-dimensional characters writer-director brad
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
well i keep hear all sort of disappoint statement about reincarnation
needless to say i be a bite reluctant to see it in my local theater
but then i remember that i have never see a japanese film on the big
screen so i go mainly for the experienced w
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
another one of the of films to die for from after darks horror film
festival this little japanese chill be a complex and spooky film the
movie follow nagisa a japanese actress who get the part in a horror
movie that be base on a real murder spree tha
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
reincarnation be a brilliant film plain and simple it be unique in
that it rely on imagination and psychology to scare you and make you
think twice about the world around you the director do a fabulous job
construct the imagery of the film and i genu
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
like a lot of psychological horror you have to invest some time and
energy in this film it appear to be one things but you be not prepare
for the changes and certainly not the ending really expect that angina
yûka in her of film be go one way and the
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a young actress be draw to her role in a horror film and also to a
hotel from her dreams a hotel where eleven people be murder before she
be borne what be her connection to her character and the ill-fated
hotel i have two concern with this film first
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
yoshimi matsubara hitomi kuroki be in the middle of a nasty divorce
from her husband kunin hamada fumiyo kohinata the big issue of
contention be their daughter ikuko trio kanno kunin accuse yoshimi of
be unstable and he seem to have a point still yos
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be my idea of a horror movie no junko no noise no random jolts
but plenty of fear deliver quietly and compactly without fuss its the
much suspenseful movie ive see since ring and i think its even better
like that movie it put my stomach in knot
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a story very similar in certain area to another story by hide nakata
but different enough to stand apart using similar technique to the
ring series nakota employ askew camera angles wide shot and the mix of
foreground and background show normality in
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
horror movie have become a dime a dozen in the past few years the
watchable one seem to fall into two category of later misguide
psychological thriller headline by a consummate actress witness naomi
watts in the ring of or jennifer connelly in dark w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see the skeleton key back in august 2005 during its theatrical run
and i can say it be one of the well horror thrillers of the years the
skeleton key be about a young hospice worker name caroline ellis who
decide to take a caregiving job outside of
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
intelligent stylish and compel all the way the skeleton key be one of
the well supernatural thriller in years young nurse take up a job at a
isolate bayou estate where she begin to believe that someone be mess
with some sinister magic director iain s
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
part of the success of this type of movie be set up and make sure its
resolution live up to its expectations i must say that in this film
everything seem to work and yet ism not sure what spook more its end
or the nature of its ending the film deal w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in case you havent see the skeleton key yet be very careful when read
any reviews the little you heard read or even know about this film the
better because i assure that you dont want to pick up any spoiler
about this surprisingly original and ingeni
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
greetings again from the darkness this be my a first features from a
writer director this weeks but there ended any similarities ana lily
amirpour present the of ever iranian romantic vampire thriller that
blend the style of spaghetti westerns graphi
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
within the of min of this film anyone with any level of knowledge on
cinema can admit to the films uniqueness in style look and the neo-
genre it be try to create from the ash of genre such a western and
vampires that much be evident right off the bat
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be one of the much anticipate art-house horror films the fact its
do in persian with iranian director and crow absolutely peek every
filmophile interest unfortunately the hype surround it sometimes work
against anticipate release like this but t
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
spoilers i be a bite disappoint to learn after see a girl walks home
alone at night that it be not a actual iranian film turns out it be
entirely american fund and make in california its just that it have a
iranian director crow and cast while it be
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie drain me without a doubt the much unpleasant and despair
movie ive ever watched its not just the graphic imagery that get to me
but the overall tone of the movie be incredibly dreadful and you can
almost feel a presence of some sort of evi
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
an eerie yet gorgeous tapestry of linger close-ups parallels cut and
slow-motion photography lars von triers antichrist be a gruelling tale
of mythical grandeur a bizarre yet beautiful film chock full of sadism
and shagging satanic dogma and similes
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
where doe horror reside in the psyche lars von trier have establish
himself a a maker of serious avant-garde drama he come to fame through
breaking the waves a controversial story of how far someone would go
for love he found the dome movement of ver
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be violent and very sexually graphics border at time on
artistic but hardcore pornography but it isnt lurid for the sole
purpose of scandal gory appropriately describe some section of this
film but the word by no mean encapsulate it if one
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
for the incredibly stupid front page reviewer here its not even a
review really just whine with no substance by somebody who doesnt seem
to like or recognize horror ism not affiliate with the film in any way
feel free to look at my other reviews ism
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
caught resolution at a film festival this be a movie that you have to
see a there be no way to really describe it it doesnt fit into any
sub-genre within horror but it definitely belong in the family the
film be one of the much creative and unique iv
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
peter cilella be commit to get his well friend chris vinny currane to
sober up and get his life back on track but what begin a a attempt to
save his friends life quickly take a unexpected turn a the two friend
confront personal demons the consequence
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as the other reviewer already stated this be different i have no idea
what it would be didn t read the synopsise the movie be part of a
festival but i be really pleasantly surprised a little movie that
could its not without flaw mind you but you can
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
fee alvarez just give green room a run for its money with dont breathe
a incredibly intense film and glorious exercise in suspense its one of
the well studio-produced thriller ive see in years the premise be
simple a group of teen plan to break into
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
three burglar find out about a blind army veto live in a abandon
street sit on a huge amount of cash the three burglar break their rule
of not steal cash and decide to rob the place think it would be a
piece of cake and of course it isn t the blind a
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
its pretty rare that i get hype for horror movies especially modern
ones but i be a little hype for this i think the premise be
interesting and it have potential to be scary i wouldnt call this a
disappointment because it miss the bare basic of what
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
how do this film and i struggle to call it that receive so many stars
that be the real mystery here the story centre around kid who break
into houses two be dating and the third-wheel be a quasi-moral-
objector who follow along because he think hers i
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i personally think this movie be one of the great horror movie every
teresa palmer and gabriel bateman act be very good absolutely credible
almost like rosa byrnes performance in insidious which be flawless the
cinematography be good dark scene prett
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie will get your pulse up fast reveal the horror very early on
interestingly enough it keep that pulse up throughout the movie
despite of this the concept of something that can only appear and be
see if its dark and with a somewhat supernatur
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
lights out doesnt break any new ground nor doe it really attempt to of
minute of pg-13 jump scare and basic horror trope in the vein of the
grudge not bad for a summer fright fest but dont expect much a you
wont find it here technically it look and s
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
lights out be a interest stab at a horror movie base on a 2013 short
film of the same name the movies novel concept be a creature that can
only be see and manifest in the dark turn a torch on and it disappears
naturally this mean that a lot of the mo
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
lights out of a eerie silhouette of a human-like creature loiter down
the hall you repeatedly blink in a attempt to mould its blur lines but
the dishevel contour of the unfathomable spectre remain absolutely
motionless lights on of nothing there ligh
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a movie make with the confidence of one who know exactly what
she be try to communicate the problem be that what be be communicate
be so far beyond the norm that it be not go to be easily grasped
esther be a highly intelligent young woman the
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
disturbing a in my skin is the movie frequently pop into my mind
looking at the film on the surface i be disturb by the imagery a
apparently be the other people in the theatre who all leave before the
movie be over this be a movie that much like grou
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
saw this at a cult film festival youd think a cult audience would be
able to stomach depiction of self-inflicted violence but several
people walk out i canst really blame them it be a intimate and
plausible portrait of a woman who have live her life
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in my skin certainly have some problems but one of this problem isnt
originality and while thing such a a lack of a true plot formula and
explanation for the central characters action may put some viewer off
the film deserve huge credit for step out
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
so ive read here and there that this remake lack the camp of the
original and i look back over year ago watch the evil dead on a crummy
rental vhs in the dark of my teenage bedroom one night the camp the
original evil dead be a terrify experienced ev
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
we seem to be in a time where the remake of remake will be remade even
film like cabin fever arent remain sacred the obligatory remake
follows evil dead now be a remake with a bite of bite of course it
have every possible cliche under the sun tick of
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have to say ism very surprise at all the negative review ive be
reading ism a avid movie lover frequent the theater at little twice a
week if not more something about be able to just sit back in a dark
room with a big screen and great sound its jus
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
devil dead five stars out of five the of five star movie of 2013 be
this long await reboot to writer director sam raisins 1981 cult
classic original the evil dead its a loose sequel that find a new
group of young adult stumble across the book of the
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ah halloween of my favorite time of the years it isnt so much the
festivity take place that excite me a its the feel in the air once
october comes that palpable sensation you get see jack-o-lanterns
grimly light faces kid trick-or-treating in the str
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
for like two year trick r treat never seem to come off the upcoming
releases list i canst for the life of me see whit may not be a all
time great but it be so much well than odd absolute crapfests that be
actually fast-tracked into cinema over the la
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
before anyone cry foul over my statement that trick or treat be the
single well halloween-themed movie ever made allow me to back up the
statement while 1978 halloween be a masterful amaze thriller that
truly have no equal in the horror genre trick o
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see trick or treat last night a part of brightest in leicester
square all i need to say be it have a round of applause at the end
which doesnt usually happen in the uk and it wasnt down to the fact
that dougherty be there i have see thousand of hor
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
just when it look like the anthology movie be dead along come director
writer dougherty trick or treat to not only breathe new life into this
overlook format but also firmly establish itself a one of the well
film to keep on the shelf and revisit eac
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after lewis thomas paul walker buy a car to pick up would-be
girlfriend vena leelee sobieski from college in colorado he learn that
his brother fuller steve zahn be jail on a misdemeanor charge in salt
lake city so he decide to pick up his brother fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the idea of this movie be actually pretty good two teenager do a prank
call on a cb radio but the prank turn on them most teenager have
probably be in a situation where they themselves make a prank call at
the very least everyone know about it the fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
joy ride be a extremely entertain road-set horror thriller that be
surprisingly quite good the film be about lewis paul walker a college
coed who decide to buy himself a car and take off across the desert to
pick up a would-be-girlfriend vena leelee
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in joy ride two brother than walker get involve with a big rig driver
over the cb radio while on the open road they set him up a a practical
joke and unleash all hell on themselves a the unseen subject of their
prank a know only a rusty nail a turn o
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a very creative japanese horror movie in the style of ju-on its fairly
slow-paced be character and plot driven but this be the right approach
due to its clever intelligent and emotional script man start receive a
newspaper which predict tragic future
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
kyogen begin with a tight sequence full of foreboding a marry couple
with their young daughter be drive home from vacation when the father
professor hideki atomic need to send a email to get a internet
connection they stop at a phone booth and whilst
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
skillfully edit and highly tensioned kyogen be one every so often
discuss psycho-horror its be produce from the idea of the same title
japanese comic book of 1950s and follow the storyline of a solid
japanese novel from the same decade the comic book
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
having child myself this movie strike me in a very emotional way in
fact i be almost move to tears that doe not happen often if youre look
for a ring type horror flick this isnt it at times kyogen move rather
slowly and doesnt pack the creepy punch i
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the conspiracy be about exactly what the title suggests conspiracies
from 11 to the new world order to occult ritual between world leaders
the conspiracy wrap it all up into one incredulous story that be
document a realistically a possible real foota
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ive always have a love for conspiracy theory because they be surreal
and theyre just fun to research personally i enjoy be scare and horror
doesnt do that for me this day but the dialogue aspect of this do it
for me i like a horror film that actually
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this prove to be one of the much surprisingly effective thriller i
have see in recent memory at a glance we have a unknown of time writer
director in christopher macbride match with a relatively small budget
of just under $1 millions maybe ism wire a
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
aaron and jim be documentary filmmakers who become fascinate by a
street preach conspiracy theorist a man who spend all his time spread
a message like a modern day prophet about how we be all slave and the
world be run by a group of rich man who be c
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the story be about a couple of guy be make a documentary about the
people for specifically one person who be true believer in conspiracy
theories when their subject disappears they get wrap up in the
conspiracy theory and investigate it they end up s
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in a way this film be a perfect example of form follow function what
well way to show how empty and perverse the model scene in los angeles
is than to make a empty and perverse movie about it if nicolas winding
rein want to make this point he have ma
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film start promisingly with a eye-catching and unsettle image
then the of dialogue for should i say direlogue scene starts and two
thing happen one the dialogue be awful two the instruction in acting
101 make the much of your pauses have be tran
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i wouldnt really recommend the neon demon unconditionally to my
friends not because its a bad film quite the opposite but because its
the kind of movie that would inevitably lead some of them to think the
tell me to watch it and say it be great what
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
it seem that after the massive success of drive rein be be give the
opportunity to make the film he want to make and take a lot of
creative license think this be a good things and its a smart way to go
about a career in any creative industry achieve
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
nicolas winding-refn be a director who defy all analysis most consider
him a surefire commercial success follow on from his exceptional
adaptation drive back in 2011 however against all odd winding-refn go
darker much subversive and all together much
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this somber yet deeply unsettle film manage to give me the willy even
in the less-than-ideal horrorhound weekend screening not soon after a
pregnant woman katie parker declare her miss husband morgan peter
brown legally dead she begin to have terrify
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i dont write review much in fact i havent do so since david lynches
lost highway back in the 90 but have just see absentia i feel obligate
to share my thoughts this be a amaze horror thriller i cannot fathom
how a director work on a minuscule budget
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if you come to this expect something along the line of saw then you
will be disappointed it be a fairly slow moving character driven
existential horror that said there be a good numb of scare and tense
edge of your seat scenes it be good do good cine
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i do not really understand why the average rate of absentia be so low
well maybe i do understand if you watch this horror with the
expectation that you get a fast pace gore fill typical horror movie
you will be disappointed absentia be a slow one and
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i must confess i be expect way much of this horror film it start off
quite good whence the rating but after the of of minute go downhill no
question be answered you be leave with a large list of plot hole and a
end that couldnt be much predictable an
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie have a million dollar budget and i feel like million be
spend on the movie and the other spend on fake review on site like
this movie be one of the large piece of garbage i have ever seen
spoiler nothing come at night if you read the posit
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be a fan of post-apocalyptic movie and for the of minute this film
show promised good visual and mood but then it crawl repeat the same
shot and mild shock until after the hour mark at this stage you be
leave wonder when the real story be go to sta
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
nothing of significance happen during the whole movie its slow not
scary and a waste of time no answer to any of the question the film
poses just a bunch of people in the wood who dont trust each other and
some fatal disease that just kill everyone i
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the director of the chill shutters create another terrify horror film
this creepy film tell the story about the survive half of a conjoin
twin who start to see her dead sister when she return home to visit
her dye mother through flashback we learn ho
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in seoul the thai him masha wattanapanich be inform that her mother
have a heart attack in her hometown him travel with her boyfriend wee
vittaya wasukraipaisan to thailand to give assistance to her mother
once in her home him be haunt by her siamese
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film make ton of buzz from thai medium before its release give
the fact that it be a film of the director of shutters which become a
blockbuster in thailand a couple of year ago and star one of the much
famous thai actress masha wattanapanich as
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i yesterday see its hindi remake adaptation so i know the suspense but
i didnt enjoy the hindi version and here for original despite know the
suspense i enjoy the movie during separation of conjoin twin girl one
of the girl die and she come back to h
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
thai writer-directors tanjong pisanthanakun and parkpoom wongpoom have
shoot to prominence in the horror genre with their debut movie
shutters which i have regrettably miss its theatrical run here but
much than make up for it by be the proud owner of
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
it be clear that the current cycle of horror remake be far from over
and the result so far have for the much part be surprisingly good this
trend continue with the crazies a reinvention of george romeros
little-seen 1973 original the plot be beyond s
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a transport plane crash into the water supply of a small iowa town
some of the townfolks become infect and turn craze killers sheriff
timothy olyphant his wife radha mitchell his deputy joe anderson and a
girl from town danielle panabaker need to esc
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the craziest a remake of a seldom-seen 1972 george romeo film be about
a small town whose inhabitant drink taint water and become deranged
the movie be slick but still terrifying rely not only on wacked-out
effect but also on unadulterated suspense t
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i love this film so much to me it be completely original ive see some
other people say that this film be unoriginal and i dont agree i admit
the virus epidemic in zombie film be quite repetitive but i suppose it
have to be how else can we turn into z
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the post-exorcist was produce a variety of quirky old-fashioned horror
film with big name star whose career be wind down but who be happy to
still be work and who add a touch of class to the proceedings psychic
killer with jim hutton tourist trap wit
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
how can i begin to describe this amaze film random image pop into my
head from memory tony curtis a a dash fortune-teller and huckster
prance around his san francisco bachelor pad wear a sorcerers outfit
one of his elderly female client be possess by
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see this when it of come out in the theatres with my sister---we
love it and be blow away ive since own it on vhs and now have the
wonderful dvd that be just released honestly give the year it be make
and such its not a bad film at all and be one i
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a lose 70 horror classic the whole idea itself be great
although the whole growing on her back bite be a tinge too dodgy tony
curtis basically play a comedy role for the of half then show how good
he can be atsara do a excellent job play the
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i vague recall this creepy movie from watch it year and year ago on
elvira movie macabre it be a movie i have no clue what the title be
but certain scene be forever burn into my memory after the internet
come along i begin search for some of the old
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
1966 death curse of tartu be a staple of late night insomniac in the
pre-cable day of television along with other no budget wonder such a
they saved hitlers brain women of the prehistoric planets and zontar
the thing from venus although the plot dred
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
bobbie breese play fade movie queen lynn roman who be unhappy because
young actress receive all interest film roles the assistant of decease
dr zeitman offer her the potion which should stop the process of aging
it work perfectly until ruth turn into
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wowf ism actually speechless of i have watch lot of awful horror movie
in my life and i definitely know to keep my expectation low regard
late 80 low-budgeted monster movie a especially when the name fred
olen ray be even remotely involve a but still
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this film be a fun under-watched gem from the 80s fans of the of house
have a lot to enjoy here certainly one of the only horror comedy
westerns i can think of but it work good in this picture dont expect
citizen kanes but if youre look for a enjoyab
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this non-related sequel be so sweet-natured so tame and family
orientate that to assume otherwise be completely ludicrous there be
nothing in this movie that can possibly rate it above a pg max i
wouldnt even have reservation let young child watch ho
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i love this movie because it just keep get goofy and goofy and throw
all sort of disparate element into the mix you have the the great old
mansion you have the nutty friend you have the obligatory 1980 party
segment but you also have alternative univ
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie capture the mood and feel of many a bad was horror flick
and then add a few twist bring smile to your face the actor do a
excellent job of keep a straight face while deliver bad dialogue the
movies one-tone humor cause it to sag in the mid
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see monster in my closet one day back in the 90 when i stay home
sick from school it have always stick with me a one of the much well-
done tribute to 50 style scifi while also be a very clever spoof of
the genre the performance be all grade-8 chees
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
monster in the closet be set in the small american town of chestnut
hills california where mary lou jona leech a young girl the blind joe
shelter john carradine be all attack kill by something nasty in their
closets jump to san francisco the office o
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in san francisco when several local be find murder in their closets
the rookie journalist richard clark donald grant be assign to
investigate the cases he stumble upon the scientist prof diane bennett
ddenise dubarry and her son professor bennett pau
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a wonderfully goofy example of a self produced write and
direct vanity project while i be work a a crow member john carradine
comment to me before the burn at the stake sequence this be the wrong
piece of shot ive ever work on and ive work on
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i see monstrous yesterday but now i can hardly remember it thats
rarely a good sign especially since i wasnt even drink while watch it
it seem that initial film take place some time before the bulk of the
film but be postpone by various problem befor
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
monster be a mind numbingly awful movie about a evil american concrete
factory are there any else in hollywood pollute the water of the small
colombian town of chimayo somehow create a catfish-like beast with a
predilection for lamb and loose women j
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
according to this film the event portray be base on fact mean that in
1971 a really dumb look monster the result of industrial pollution
rise from a lake to terrorise the rural colombian village of chimayo
before eventually be blow to smithereens wit
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be a totally bizarre british horror film which deserve cult
status of the high order i canst believe that this didnt have problem
with the censor it be a disturbing nasty piece of work and should
undoubtedly have cult status the mutations have d
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
how on earth have i never see this film before i watch it tonight
because there be nothing else on cable again lucky merit start with
some time-lapse film of plant-life and look like a programme from the
open university but then the soundtrack signal
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ignore the uptight weirdo who spend 000 word bash this movie its very
enjoyable a long a youre a fan of the genre with many gratuitous lsd
reference and a real live carnival freak show how can you go wrong if
you think swamp thing be too intellectual
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ok i see the mutation when i be young at a movie theater in paterson
new jersey and to this day i cant remember the co-feature but it scare
the hell out of merits a basic mad scientist story with a brilliant
but unbalance dr play by the late great do
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be a definite cult-classic and a follow up to tod brownings
freaks perhaps a bite poorly made but with real freak like the
alligator woman pop eye and many more julie eger norwegian scream
queen be star and make the well of it if you ever w
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
despite a low budget and mediocre act with blue screen effect that
make you laugh this movie be actually quite good not many movie this
day be actually scary in a age where saw someones head in two make
people yawn it seem time to bring back some old
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
with all the horror movie make in the usa involve a haunt house you
would think one that feature one of the much famous haunt place in the
world winchester mystery house in san nose can would feature a unique
and compel story however this film fail t
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be quite a surprise usually the movie make by the asylum be
mediocre but this one be quite out of the normal standard the
storyline and plot be intense and something you immediately get
yourself immerse into because it be compel and intere
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the actor especially the mother seem quite sincere in their roles but
the story itself didnt really make any sense it all seem so random
just random ghost at random time come after random people in random
way and do random thing with them all for no
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
there isnt a whole lot to say about the film so ill get right to the
point the act be by far the wrong part of it the performance be forced
uninspired and a pain to watch in some places that be said the film at
of seem to be pretty much a wish mash o
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
watch this movie closely if you dare and you will see certain of the
same fairly long sequence repeat only a few minute apart such a when
they be walk up the mountain and when they be search the city sewer
near the end not include the ridiculous loop
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i suppose you should approach this stuff with a open mind but i have
difficulty do that a those word written my expectation for this were
quite frankly pretty low a i know that it be a 1954 low-budget
production a therefore i be prepare to tolerate t
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
some of the himalayan scene be interesting there be a conflict a to
who be run the show its typical of westerners to try to run roughshod
over their inferiors anyway the yeti be out there and if we bring him
for her back we can make a bundles everyth
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have a category of movie i call a good bad movie you ll either get
that statement or you wont if you be a real movie buff you ll
appreciate the value of a good bad movie this be a really cool twist
on the big foot mythology i see this on the sci-fi
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the movie that the sci fi channel premiere on saturday night be a
decidedly mix bag -- mixed mean bad but watchable enough because its
free on tv that said abominable be probably the well one yet and one
of the few that i wouldnt have mind pay for a
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
him gonna need a big knife the flatwoods sasquatch terrorize victim
within the vicinity of his cavernous dwelling bind crippled preston
rogers matt mccoy still recover psychologically from a tragic fall
from nearby suicide rock which take the life of
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the whole mythos surround bigfoot the abominable snowman or sasquatch
be a enthrall one captivate the general public since the of allege
bigfoot sighting in the early 1950s a numb of bigfoot film have be
made capitalize on the general populations int
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be often right up there on the list with stroll of and the room a
one of the so bad its funny movies we ll consider the budget and the
fact that it be never finished grizzly of come out remarkably well how
oscar winner louise fletcher get on boa
Movie title: Grizzly II: The Concert
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
friday the with part vie jason lives be the well supernatural slasher
movie of all time it be my numb favorite film of the franchises it be
one of my personal favorite horror slasher movies this movie be the
bomb this movie be the well horror slasher
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
friday the with part vie jason lives be my all time numb favorite film
of the franchises it be one of my personal favorite horror movies this
movie be the bomb this movie be the well horror slasher 80 movie in my
opinion they dont make movie like thi
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
from its spectacular squirm-in-your-seat open to its excite finales
friday the with part vie jason lives delivers still haunt by his kill
of the mask maniac two film ago our hero tommy jarvis thom mathews
venture to jason voorhees grave just to be su
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
with the exception of part of all of the jason movie just keep get
better a in my honest opinion this sequel come in a a far a jason
sequels go ps part will always rule and this sequel come in right
after part and of a part be simply a classic direct
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ya gotta love al adamson only he would take footage from a 20-year-old
movie about gorilla in dive helmet robot monster combine it with clip
from a 30-year-old movie about elephant with hair mat glue to their
side one million c throw in part from a g
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i dont care how many people vote this movie a out of this movie be
pure entertainment there arent very many painful moments lot of great
fun scenes and of course the adamson trademark of cut and paste
filmmaking vampire men of the lost planets the vi
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
huh what vampire cavemen a sex replace by flash multi-colored light
bulbs a guys in dinosaur suits a a film half make of stock footage
this isnt just bad its inexplicably bad a do not watch this alone a
make sure to have a friend or two with whom you
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
delirious surreals and savage tobe hoopers follow-up to his landmark
debut chainsaw for that not in the know be one of a kind while bear
the same signature stamp he leave with his predecessor a sheer
unrelenting onslaught of pure madness macabre and
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a crazy homicidal man name judd own a shabby hotel in the louisiana
bayou and when he receive guest he go out of his way to murder them
and fee them to his pet crocodile some of this unexpected guest who
face this horror that await them range from a
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
well if you see the texas chainsaw massacre and be impress with
director tobe hooper your next move may be to view his a film eaten
alive i search all over for a print and finally be lucky enough to
find one and see this somewhat forget picture one r
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
not a good movie exactly but a significant improvement over much sci-
fi channel original movies it have some humor and the movie work well
when it be its silliest the much serious scene tend to just slow the
movie down if you like vincent ventresca i
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
mammoth be a pretty decent sci-fi creature feature spoilers dr frank
abernathy vincent ventresca be beyond thrill that his museum acquire a
freeze wooly mammoth especially when he pull a strange blue object out
of it a few day later a meteor shower s
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ok its make by the sci-fi channels one of the king of ok too generous
cod movie production does anyone know if they ever make a good movie
that wasnt a miniseries dune and children of dune be good does anyone
actually expect sci-fi to make a good mak
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the plot of the devils rain be very simple it concern the preston
family and a book their ancestor steal decade ago from a devil
worshiper name jonathan combis ernest borgnine combis have spend
century try to locate the book and will stop at nothing
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
context be everything for this type of film this be a 1970 era devil
worship film which be a genre quite apart from other horror movies the
american public be in something of a satanic-panic in the 70 what with
people listen to black sabbath and play
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this have get to be one of the strange movie ever made yet somehow i
still find myself revisit it at little once a year despite the fact
that its seriously flawed i will attempt to explain why that is lets
begin with try to decipher some sort of plot
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in africa a english sugar cane plantation owners pregnant american
wife be curse for her sisters stop the tribal sacrifice of a goat
christopher lee give obvious star treatment and always a welcome
presence a far a this horror fan be concerned be a r
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a likable cast and and decent location photography make this low
budget horror film watchable jenilee harrison suzanne somers
replacement cindy on threes company play a 1950s great white huntress
in africa who interrupt a sacred tribal ceremony so th
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
if longtime fan of the friday the 13th saga have anything to say about
it the people behind this film will burn in the same place a its
hockey-masked start jason goes to hell the final friday be completely
preposterous out of place and a affront to w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
lets understand two thing about slasher horror from the 1980 of of all
they have a legacy of saturate their own market and secondly they be
simple story bear out of the twilight of a ever change world with this
in mind it would be easy to point out w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
major spoilers before you read my review there will be lot of hate for
this movie and if you be a fan of friday the with film like me avoid
my review at all cost because it be not likable youve be warned what
the hell be this movie this be not a jaso
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
not actually kill in manhattan surprise surprise jason be still at it
until a undercover fbi agent julie who make time to take a shower
trick him into a ambush where hers blow to pieces if you think be head
and limbless will stop mrs voorhees from re
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the snake woman be a brief only of minute long painless silly and
quite amuse british horror film with some decent atmosphere and
capable performances its not memorable overall save for its sexy snake
woman but its entertain stuff its low budget enou
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
fans of atmospheric and story-driven 60 horror all over the world
should urgently combine force and catapult the snake woman out of
oblivion and into the list of favorites despite the compel storyline
and a acclaim director in the credit sidney j fur
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its obvious that the snake woman be make on a shoestring budget the
production value be very low the special effect nonexistent and the
film only run for little over a hours but in spite of that sidney j
furies film be at little a interest example of
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be not a sequel to the of movie well only in name but it have no
character or storyline connection what so overran alligator be kill
people and animal in a sewer and surround area up to the local police
force to take him out sounds familiar the
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this serviceable follow-up to the original alligator have absolutely
nothing to do with that movie a other than feature a alligator live in
the sewer of a us city i actually find this a fun tongue-in-cheek
little monster movie that work around the lo
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
alligator ii the mutations be a much than capable sequel to the of
classic spoilers a rash of death in the chicago swamp have leave the
local police baffled detective david hodges joseph bolognas be bring
in to lead the investigation which take place
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
another chemically enhance alligator grow to epic proportions lead to
a series of fatality that threaten a lakeside development project the
obligatory doubt and denial lead rogue cop bologna and rookie brown to
of convince the hierarchy that the titl
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
bert in gordon when you hear that name many people smile but some
trembled many of us remember his back project monster the beginning of
the end transparent giant the amazing colossal man and his malevolent
ghost tormented okay so his effect be usual
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
one of the zillions of 50 horror this probably be one of the of
monster movie i ever saw i must have be around year old when it be air
on chiller theater one saturday night in suburban new york i remember
particularly freak out and scream when the gi
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
hokey was sci fi from bert i gordon who despite the prevalent hokum
crappy effect and cheap sets keep crank fun flick from the 1950s sci
fi heyday its one of that films if you of see it a a kid its leave a
pretty strong impression just with the horre
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
interview with the vampires be a atmospheric highly grip film involve
vampires not a vampire movie whilst the latter would describe a film
that focus on its vampirism and may be judge on the sharpness of its
fangs this film involve vampires have all
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in like anne rice be initially dismay that tom cruise have be cast a
estate but when i see the film i have to admit that he absolutely nail
the role i have always think of cruise a a pretty boy and not really a
serious actor especially since he fail
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
interview with the vampires the vampire chronicles aspect ratio 85
1sound formats dolby digital sdds17th century new orleans the
relationship between a ancient vampire atom cruise and his
bloodsucking protege brad pitta be test to destruction by a yo
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have a passion for film with dark settings whats even well be when
the film be not only dark and dismal but also deep and engrossing with
a combination of anne rices script and neil jordans direction the
overlook interview with the vampire not only
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
tremors be a flawless film write another commentator on this site and
hers damn right what a movie ive miss it in the cinema because over
here in europe this maybe play in vienna in theater for one week and
hardly anybody catched it but some time lat
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
out of tremors be often describe by many to be a cult classic which be
odd a the fact is cult film usually have a quirky quality to them that
separate them from the usual hollywood-churned machine a take re-
animator for example or even the recent rav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
loved the movie how can you not it have two lovably bumble buddiest
val and early play to perfection by kevin bacon and fred ward it have
a remarkably funny gun craze survivalist couple play completely
straight-faced by gross and reba mcentire it hav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
and they roll and they chew and they eat and eat and eat darn that
space people for solve the critter problem a this be one of that tv
late night movie that be totally awesome because of its creativity a
course while i watch it i have no dream of gre
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
eight flesh eat alien have escape from a maximum security prison in
space these alien be travel to earth to eat anything living the brown
family dee wallace stone billy green bushy scott grimes nadine van
elder be be stalk and trap in their own farm
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
critters try to be nothing much than good entertainment and simple fun
and succeed admirably at both decent acting believable characters and
a engage story prove once again you dont have to spend ton of money to
make a good picture
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
at the start of critters somewhere in space crites be be bring to
custody but of them escape so that hunter have to get them back now
this sequence can have easily last minute in any other movie but
critters doesnt waste time it take about one minute
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
blood beach rocks it have everything a saturday night movie need from
a giant phallic monster to a scene where every few moment the mic drop
into shot a popcorn monster flick give a unique angle on the jaws
theme some good gore fx and a good few jump
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after several people mysteriously vanish from a south californian
beach authority begin the search for whoever or whatever be
responsible believing some kind of ravenous subterranean creature to
be the cause of the disappearances harbour patrolman ha
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
those darn film producer of the 1980 be at it again they be try to
scare us from go back into the water again first steven spielberg get
us with jaws follow by the infamous inferior sequels then we be treat
to a double-dosage of tentacles pair with o
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
heaps of potential wasted you have cute chicks they be thin and have
long hair there be a bikini contest announced everyone be on vacation
except one who be in grief so can be make happy and what doe this
movie do next to nothing with problem with th
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i mean one always wonder who this people be who watch infomercial for
of minute at a time well here be our answer it be much fun and
interest to watch a infomercial compare to this do give three star for
the harbors and the chick who promise sex to t
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the cleavage and hard body be spectacular and promise but the promise
of a bikini contest never materialize and there be no woman be natural
and flaunt their body and no sex it be almost like a taliban
republican ski resort otherwise the story be a j
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the howling 1981 be a underrate cult classic werewolf film of the 80 a
masterpiece in all horror genre it be one of my personal favorite
horror movies from the director of gremlins and piranha come the
ultimate masterpiece of primal terror filed with
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a excellently craft piece of work from former roger norman
student joe danted i wont go much into the plot but it involve a news
woman who get attack while in a porno shop view room to get her mind
off things a psychiatrist recommend she go t
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in 1981 horror movie be on the verge of their great comebacks the 1970
give us alien jaws and the exersist but we have lose the creepiness of
the classic universal monster films such a dracula the mummy and my
personal favel the wolfman pop culture h
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
terrific modern werewolf film from director joe dante remain one of
his well movies news anchor have a terrify encounter with a lunatic
murderer then decide to seek rest in a isolate colony of weird
characters its about to become a hairy situation wr
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
attractive reporter dee wallace stones come to a small health resort
what she doesnt know be that all the resident of this resort be
werewolves the howling be one of my favourite werewolf flicks it
feature some of the well transformation scene ever f
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i realize that this be not one of the much popular film in the howl
series i still havent see howling part of of or but ive read some
pretty bad thing about them the howling be my favorite one yes i pick
it over the of one which seem to be everybody
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after the complete failure of a sequel that howling ii was philippe
mora return for yet another installment try a different more spoofy
approach this time but it didnt work out much better most of the blame
must go not to the direction but to the awf
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
howling be yet another horror effort where excellent idea and even the
mood and atmosphere of a horror classic be not cultivate or nurture
throughout the filmi be bring up in the era of the american werewolf
in london definitely the classic archetypa
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the original howling be a fun little werewolf flick nothing too
serious just a simple but original premises some well-handled tension
cool makeup effect and a nice healthy dose of gore and violence to
round thing off compared to its much immediate ri
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this film would have probably be horrible have they take themselves
seriously a fortunately they didnt and consequently create a fascinate
and entertain festival of murder revenge and art deco set design
vincent price be phibes a brilliant organist a
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
calling this horror doe not make it justice i wouldnt call it movie
either but film its pure art the set and art direction be incredible
the whole movie show the laura of 1920 art decos give it that classy
touch the script be also very original and t
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
vincent price play a dead man avenge the surgical team that lose his
wife on the operate table a nine doctor in allbone of them a nurse be
treat to nine of the much innovative creative outlandish death
imaginable the death loosely follow the ten plag
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
there be several actor in cinema that give away terrific performance
all the time no matt what role their cast in theyre always believable
and impressive but then even beyond that there be some actor whore
just born to play certain role and thats the
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
dr phies rises again be the sequel to the magnificent the abominable
dr phibes the original film achieve cult classic status through a
magnificent performance from vincent price a the vengeful doctor of
the title and a over the top absurd camp style
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
not a good a the of phies movie the abominable dr but jolly good fun
so long a youre not expect a horror movie this be a comedy the double
act of peter jeffrey and john cater a the bumble police officer trout
and waverley be a joy vincent price himse
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
may contain spoilers this follow up to the abominable dr phibes just
go to prove that you canst keep a good man down vincent price a
knowingly camp a every tip a nod and a wink to the audience through
his portrayal of byronic romantic hero anton phie
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
theyve get some nerve call this film alien of although certain element
have clearly be inspire by ridley scotts 1979 sci-fi horror classic
the film a a whole couldnt be much different a want tense
claustrophobic space-bound futuristic action not a ch
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the of hour of this film be so painfully slow that it take me over
year to finish it ism not kidding ive have this on vhs since the
mid-90s and every time i try to watch it i would give up 1980 be a
banner year for italian do ripoffs a the film world
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this massively incoherent dumb cheesy and amateurish italian early-
eighties movie-thing reward itself with the title alien of but theres
very little even no relation with ridley scotts sci-fi masterpiece
that single-handedly alter the status of the g
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a lot have be write and say about alien of the unauthorized follow up
of alien i watch it year ago and just can remember the fall head
attack by a alien so i watch it again but my only concern be to catch
the uncut version english language a lot have
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
id hear bad thing about this like it be too slow confusing have too
much potholing in it but after finally watch this i feel the bad dub
and general stupidity of the script not to mention the great
soundtrack by oliver onions carry everything through
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
cmon people look at the title lole i remember see this movie on
saturday late night creature features year ago its a great cheesy
monster flick with hilariously bad act and two wonderfully moronic
hillbilly that add to the schlock factor the redneck
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in oregon a meteor crash into crater lake and heat the water hatch a
dinosaur egg months later fish have vanish from the lake and a huge
dinosaur hunt cattle and human to feed the local sheriff steve hanson
richard cardella investigate the mysterious
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be a great drive-inn 70 sci-fi thriller i know much people
give it bad comment thought since it be suppose to take place at
crater lake instead because of the low budget limitation it be film in
california at some land form lake up there a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
and how they bear you right out of your mind the crater lake monster
be one of the classic bad film from the 70 make with no actor of any
note a embarrass script woeful direction and a tireless desire to fuse
horror with light comedy this movie intro
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
despite its budget limitations this be a great film proof that effort
and imagination can overcome lack of cash the opening in which cave-
paintings seem to show how some dinosaur at little survive into the
age of human beings be a nice red herrings a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
my god this movie be horrible i be quite a fan of shark movie and all
that jazz do i look forward to this new installment in the genre
however i must say that this movie be just ridiculous for this movie
to work i think they need to have some humor t
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be not expect something a enjoyable or over the top a last years
piranha d but i be at little expect some time kill shark attack fun it
seem however that they couldnt even pull that off the script be
horrific and the plot be ho-hum but much importa
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
seven young and pretty undergraduate head to a seclude lakeside
cottage in louisiana to take a load off and enjoy a wild and crazy
weekend away but thing take a turn for the wrong when a member of the
group be attack by a sharks isolated with no cell
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
warning contains spoilers though nothing can spoil this film more than
its artless existence in the first place quite possibly the wrong film
i have ever watch in my of year of life shark night d beat such
classic a demi mooress striptease barring th
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie start out so great it have that whole jaws go on and it
really look like it be go to be a movie that would pay homage to the
classic jaws movies then it all come crash down hard and go downhill
shark night be without a doubt one of the stu
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
ism not a naive person i realize that animal in nature be kill and
sometimes slowly i just dont understand what it have to do with the
film why do they have to have minute of a innocent animal scream
before the huge snake finally coil tight enough to
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in brooklyn in new york city the drug dealer mike logan john morghen
steal us 100 000 00 from his supplier and flee to colombian the police
detective seek out the touristic guide myrna stern meg fleming who
share her apartment with mike meanwhile the
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
there be so many version of this movie float around that i have
absolutely no idea what be cut from the version i saw and what wasn t
all i know be that it be the recent grindhouse releasing version
expect absolutely nothing from this movie other tha
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i buy this thing use at a video game stores clearance bind i want to
get that guilty feel from watch something ive be warn be too intense
to watch i want the shock value i want to feel guilty and bad about
watch a banned film i be very disappointed c
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
professor harold monroe robert kerman aka porn star richard bollay
travel into the jungle of south america to try and discover what
happen to a group of three documentary film maker who have be miss now
for some time after locate a primitive tribe mo
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
cannibal holocausts be not the campy little horror flick i expected
its a serious and well-made movie and its a experience you ll hardly
ever forget according to trivium section the movie can only be see
completely uncut in the ec-ultrabit dvd which
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
yes this film be ban and heavily censor in a few place for be
disturbing it doe have some really good do gruesome scene but the real
censorship come from the cruelty to animals lets just say this film
doesnt have no animal be harm during production s
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
professor norman boyle paolo malcom move his wife lucy catriona
maccoll and acute a-hem little blonde son giovanni frezza from new
york city to a curse three-story boston house by a cemetery the dig
come complete with creaky floorboards crying moanin
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film along with city of the living dead and the beyond belong to
the gate of hell trilogy by lucio fulfil the film be not part of the
same story but rather share similar element and all three star the
great screamers catriona maccoll this one to
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in new york dry norman boyle paolo malcom assume the research about
dry freudstein of his colleague dry petersen who commit suicide after
kill his mistress norman head to boston with his wife lucy boyle
katherine maccoll and their son bobby giovanni
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
now this be how a zombie film should be made whilst lucio fuci never
have the creative genius of dario argentol in profonde rosso tenebrae
and suspiria he certainly know how to make a good old fashion zombie
gore movie in zombi or zombie flesh eaters
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
of getting reception for new york city radio station be easy than youd
think on the island of matool of molotov cocktail be easy to ignites
but the flame they produce rarely stay light if youre throw much than
one at a time of dry menard like his boo
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
zombi zombie zombie flesh eaters be a classic gore fill zombie film in
italy its class a a sequel to george a romeros dawn of the dead since
in italy its call zombie but in other part of the world they class it
a a separate film and name it something
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
zombie be right up there with romeros film in term of quality you dont
have to be a zombie fan to like this film directed by lucio fulfil
this movie be one of the well italian horror film ever made its a
shame its not a famous a romeros series the vi
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as co-founder of nicko joes bad film club show here in the uke all i
can do be stand on my chair and applaud wildly a true true instance of
a great bad movie its come a very close a to shark attack of which be
of course the best bad shark movie ever
Movie title: Cruel Jaws
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
disregard the many negative review of this film below it be actually a
odd little hide gems the story be about a man who win a card game
against christopher lee who then give him his large old house the man
move into the house with his family and the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the heavy-handed criticism level at this film by certain reviewer be
mostly irrelevant this film have merit far-beyond be a simple freddy
krueger rip-off and be not i suspect intend to be that scary its
british humour of the high order and along with
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the maker of funny man seem to have want to create a 100 english
version of such wisecrack horror figure a freddy krueger and the
figure theyve choose seem on the mark hers a live embodiment of a
joker from a deck of cards a other joker jester image
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
not in the little bite funny this comedy horror was although it break
my heart to say it make in britain and although it pain my very soul
to admit it star christopher lee how the mighty have fallen poor old
lee we canst blame him for appear in this
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i canst for the life of me understand what the heck the user who post
about this movie before me be on when they comment it i buy this movie
at a supermarket wholesale at about $1 50 bundled with another crappy
horror movie and it be still one of the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
you have to see this movie much than once to understand and figure out
whats go oncin short after be reanimate from the dead greta von
holstein ewa aulin seeks revenge on a lover who jilt her by fake a
carriage accident and cause the death of its dri
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this early d amato film bear some affinity to the work of mario naval
be a with century gothic horror long on style and atmosphere if short
on coherence the basic plot involve a brother who raise his sister
from the dead using a old incan ritual in o
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
1906 greta ewa ruling be rape by her brother the hunchback franz
luciano rossi they become lovers one day she meet dry von ravensbrück
its love at of sight her brother franz see it all with bitter eyes
greta get pregnant from dry von ravensbrück gret
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in the mid 70s a a year old i be watch the late show and during
commercial i change the station to channel in atlanta gap a they be
show this little gems and i catch a few minute of it a it take me year
before i can see it on tv again and i have to r
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
el nuque maldito suffer from several alternate titles perhaps
distributor fear a stigma if it be out in the open about be the a of
the blind dead movies amando ossorio delight that that follow the
blind dead series with a a installment i have to admi
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this film be my of introduction to the severely underrate blind dead
mythos despite their age they stand a some of the much hauntingly
eerie and frighten horror film of all time the film center for its of
half around two model we shall call them of a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the blind dead leave the sanctuary of the templars crumble monastery
for the a in the series the float fright-fest horror of the zombies
aka the ghost galleon if there be ever a film thats root firmly in the
decade from which it sprung its this one a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
first of all horror of the zombies the title of the version i saw make
it sound like the movie be about something that scare the live dead
this turn out not to be the cases if fact this arent conventional
zombies at all they be much like undead pirat
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
what happen when you combine the lower-echelon of actors guild with
what appear to be the masterful effect of a high school edit suite you
get this oh-so-very-bad film from the outset you know its bad and the
producer dont seem to want to hide from t
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be so bad the gore be pretty cheesy the act be terrible
every time someone be killed we bust out laugh at how horrible it was
i agree with the other poster tho the strip club scene be pretty
amusing however it be a like a train-wreck we co
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ok for that who dont know who peter bark is but have see this film he
be the strange little boy who look like a man and actually be a adult
too- we hope every time i get down and depress and want to end it all
i put this movie in and i be remind of h
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be definitely my favorite zombie movie its really unfortunate
that it be so hard to find and it go by so many different names i rent
it of a zombie but i purchase it under the title burial ground i
believe that it also go by its original italian
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a movie of such bombastic ineptitude its not unlike watch sam taimi
try to direct a movie while at the same time be gang beat by a group
with electric cattle prod until hers stupid and even then thats
probably give bianchi much credit than he deserve
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wowf this movie be awesome i love it burial ground be over a hour of
the well non-stop zombie action ive ever seen theres a brief attack at
the very begin on some professor a few obligatory sex scene in which
we meet the main characters and then befo
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i canst explain why i pick up the dvds dog soldiers off the video
store shelf a the box art consist of poorly draw wolf and there be a
tag line that read from the producer of hellraiser a normally this
combination would have me wipe down the cover in
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
brillant i must admit that i be pretty skeptical when i pick it up
from the rack at my dvd retailer a werewolf movie arent they generally
so bad no one want to watch them buy them the fact that it be on sale
didnt help but i brace myself and get it f
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if you be like me and be completely sick to death of the teen college
slasher horror that hollywood seem to produce by the week then dog
soldiers be then film for you this film have everything for the true
horror fan a great story good act lot of blo
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
when i get this movie i be expect cheesy american movie about soldier
against people in rubber wolf masks how much much wrong can i have
been this movie be brilliant and a refresh change from all the
hollywood junk about killer doll and such by the m
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
dog soldiers 2002 be my numb favorite well werewolf film of all time a
true horror classic i love this film to death and it be my favorite
action horror werewolf film in the horror genre it be numb because it
be simple it be soldier and werewolf and
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i remember devil dog play on tbs almost year ago and my old sister and
her friend watch it and laugh all the next day its not that bad for a
made-for-tv horror movie but it be derivative mostly of the exorcist
and businesslike for lack of a well word
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i run across this several year ago while channel surf on a sunday
afternoon though it be obviously a cheesy tv movie from the 70s the
direction and score be good do enough that it grab my attention and
indeed i be hook and have to watch it through to
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
boasting a all-star cast so impressive that it almost seem like the
mad mad mad mad world of horror pictures the sentinel 1977 be
nevertheless a effectively creepy film center on the relatively
unknown actress cristina raines in this one she play a f
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
bizarre horror movie fill with famous face but steal by cristina
raines later of tvs flamingo road a a pretty but somewhat unstable
model with a gummy smile who be slate to pay for her attempt suicide
by guard the gateway to hell the scene with raine
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
alison parker cristina raines be a successful top model live with the
lawyer german chris sarandon in his apartments she try to commit
suicide twice in the past the of time when she be a teenager and see
her father cheat her mother with two woman in
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
not this be not a great movie but i give the cast director extra star
for the cast ava gardner eli wallache chris sarandon john carradine
burgess meredith a very young christopher walked the be quite handsome
then beverly d ángelo and jerry orbach am
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
bored with the normal run-of-the-mill staple film to watch this
halloween that ive see over and over again i take a chance on the
sentinel hope it can get my horror juice flow again a mind you i have
just come back from see the dark castle remake of
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism rather pleasantly surprise after see ghost ship a i expect it to
be a lot sillier much dumb and inferior than it actually is still a
long way from be a good horror film but a step in the right direction
to say the least cast and crow pay attentio
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the a movie produce by the production company dark castle and manage
by joel silver and robert zemeckis ghost ship 2002 mark a step forward
and constitute a neat improvement in comparison with the two previous
movies the house on the haunted hill 199
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the savage team of a tug be ready to rest after the transportation of
a platform when they be celebrate in a bare the plane pilot jack
berriman desmond harrington offer them the chance of rescue a
passenger vessel vanish in the ocean in 1962 captain
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
amazingly entertain and completely stupid italian horror a pop group
purchase a mysterious unpublished paganini melody from a mysterious
old man turns out its the evil melody he write to sell his soul to
satan or something anyway when the band play t
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the female rock and roll band form by kate jasmine main elena michel
klippstein and rita luana ravegnini want to release a new album but
their producer lavinia maria cristina mastrangeli refuse since their
song be very poor their friend daniel pascal
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
when a predominantly female rock band be lambaste by their producer
for fail to write a decent tune their male drummer purchase a
unpublished score write by violinist paganini who be rumour to have
murder his wife and sell his soul to the devil in ex
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
paganini horror isnt a masterpiece but it be a solid horror flick that
will keep almost all horror fan entertained the acting apart from
daria nicolodi deep red tenebre and donald pleasance phenomena
halloween is pretty bad and the rock music be extr
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
only really need to say absolute garbage of the high order and like
the ebola virus it should be avoid at all cost even for free or bore
to death do not attempt to watch this drivel its truly shocking linda
hamilton career have spin-dry into the barg
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the presidents plane go down over the bermuda triangle it submerge
quickly elements of the us navy go to the last know position and start
surveillances some huge tentacle rise out of the ocean and do a lot of
damaged trip oliver lead a team on a subm
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
okay bermuda tentacles may not be the wrong say have do or quite down
there but it be incredibly bad and wrong than any of their offering
from last years it look cheap good the photography be okay if rather
drab but the edit be choppy and the whole m
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
hi guys every time i see one of this movies i say they canst get any
worse then i watch the next one and its worse this one really sucked
the marine or what ever they be didnt even shave and the woman have
about a pound of makeup slap on them i also
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
heading into the amazons a documentary team study a long-lost tribe
run afoul of a hunter search for a legendary anaconda and be force to
help him track the deadly creature this be a decent and quite
enjoyable creature features one of the well featur
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its a stupid b-movie with enough quality to fly by and enough camp
charm to get away with such cinematic crimes the cast play it straight
apart from vight ism pretty sure he be drink during the shooting come
out with a inexplicable accent and a look
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
before there be snakes on a plane there be anaconda a hollywood
b-movie from the late 90 that be a notorious for its mix bag of actor
a it be for the gruesome snake that populate its plot in the film a
group of documentary film-makers travel through
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
growing up in the 50 give me the privilege of be one the last
generation of filmgoers to enjoy the saturday afternoon double-feature
matinee experience at the neighborhood theatre these double-features
be primarily low budget sci-fi epic with slender
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
there be two way to see this film and rate it as a movie that turn out
to be much wrong than it intend to be in which case its obvious that a
actor like jon vight would overact to try and make it look like it be
intend to be bad the special fix inten
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
years ago the people grow so greedy and hedonistic that they be no
long satisfy with worship a mythical god so the queen have sex with a
bull and produce the minotaur didnt turn out so good a few death be
involved and the creature be place in a labyr
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
welcome to the citizen kane of sci-fi channel movies not that minotaur
be faultless its just competent on so many much level than your
average sci fi-schlock fest that it appear great in comparison we have
some actual act go on granted there be some
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ah minotaur see this movie in my tv-guide on a lazy saturday night the
review that come with it wasnt that good but i have nothing well to do
so i just give it a go surprisingly the story keep me entertain for
the whole of minutes tony todd be a real
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
cheaply make horror film from the 70 that be surprisingly well than
you may initially expect the film open in romania a soldier uncover
the underground tomb of the dracula family a soldier pull the stake
out of a puffy sheet in a open casket and be s
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
blending the vampire and creature feature themes albert bands zoltan
be a haunt filmscape canvass dracula faithful undead servant veldt
schmidt nalder and bloodhound name zoltan awake from their eternal
slumber to locate dracula last know descendant
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this film be great dog lover should get a kick out of this movie
seeing zoltai lick his chop after bite both human and fellow dog be
worth a chuckle or two the reinfeld-type character be probably the
ugly human be i have ever seen pataki see in many
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in general terms the basic premise of both original 1942 cat people
and the 1982 paul schrader remake be the same a exotic european beauty
be give to transform into a black panther when sexually aroused but
schrader unravel this fantasy concept in so
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after look for year for his long lose sister irena dallier nastassja
kinski paul malcolm mcdowell finally find her and have her come to new
orleans where hers currently living while there she gradually discover
the truth about their bizarre past and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this 80s film be much of a love story than a horror although it doe
have a few fairly horrific scene in in particular a rather graphic
scene where a zoo worker have his arm rip off by a black panther the
film open in the prehistoric past with a girl
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
despite have be young semi-conscious i be under five year old and
possess few actual memory of the nineteen eighties the decade have a
certain personal eroticism for me the powdery skin shimmer camera-work
the outrageous kink and camp of the clothing
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
erotic thriller with nastassia kinship star a a young female whoas go
search for her own inner self in many way a remake of the 1942
original but also in many way not a remake a film that stand its own
ground this have a quality of sexual awaken and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
allow me to save you of by offer something you can do at home that be
just a entertain a watch this movie go get a load of white and throw
it in your dryer now add in one red sock make sure everything spin-dry
so you dont end up with a bunch of pink
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i wasnt angry about the fog remake until i hear that it be go to be
release by revolution studios a company know to house crap movies from
then on my hope werent that high and they sink even low when i see the
trailer it look to much like boogeyman o
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be so disappoint about this when i of hear they be remake it i be
worried but give it every chance to actually be good it wasn t
everything that be good in the original be ruin in this one there be
no atmosphere to it it be just a bunch of overly-b
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
john carpenters name be synonymous with horror films a few film be not
good received but hers go on to develop a cult status his movie the
fog be not consider a huge hit but have become near and dear to many
horror film lover bloody hearts so when it
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i recently see the fog and then read a lot of the review post on iadb
about it in my opinion you people be be too easy on it can you rate
anything below a of can i give a negative rate to this film and much
of all ism write revolution studios and dem
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
since the original film be release back in the 1970s major advance in
special effect have buy some truly brilliant films unfortunately the
man in a furry coat doe not advertise this say advances the slow
motion sequence do add to the feel of the film
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in all honesty i wasnt expect much and once again i didnt get much
certainly i have see much wrong than snow beast but overall i find it
lame with the only really good attribute be the scenery and john
schneider performance the effect be really not v
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i have never hear of this movie and be a bite hesitant about watch it
think that this would be just another movie load down with lame
digital special effects i decide id record it on my der while i be at
work and watch it the next day ive actually ne
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the gastro zombie be a man in a rubber mask the male lead try to keep
a straight face while spout ridiculous dialogue tura satan wear exotic
outfits makeup and eyelash which give the movie some camp appeal you
ll have a hard time figure out the plot
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
dont listen to that who claim this isnt a so-bad-it film its
terrifically lousy and laughably great from the dull mute library
music to the stock footage of la police car to what have to be the of
unnecessary nude-dancer scene since then a staple of
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
word on the street have it that the astro-zombies be one of the wrong
film of all time right down there with plan robot monster and the
beast of yucca flats and for once the word on the street be right this
movie really is a incredible stinker in eve
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i like this make for tv movie about a cryogenetically freeze body be
bring back to life beck play the cold-hearted lad who die ten year ago
and be freeze by his mother wait for a chance for science to bring him
back via new medical technology his cyl
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
with this endeavour director wes craven will not in all probability
please many enthusiast of his other films the majority of which
involve a good deal of violence and bloodlettings but he doe a
workmanlike job with this account of storage cryogeny w
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
corporate exec miles creighton becky dies and be cryogenically freeze
in the hope that he can be revived ten year later the procedure be a
success and miles return -- without his souls you have director wes
cravens writer j do feigelson dark night of
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
there must have be a law in the 1980 that state that if you be to make
a a film to a set of horror movie you must make them in 3-d a this be
one of them along with other such fine film a jaws 3-d and friday the
with part iii in 3-d sad to say but i e
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
probably the well movie of the series i think okay thats not say much
but its actually quite enjoyable and probably the strongest plot wise
magazine writer who happen to debunk psychic end up buy the infamous
house for cheap blackmail the current own
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
night of the living dead and the texas chainsaw massacre be two film
that receive a unanimous critical bash when they be of released but be
now look upon a ground-breaking horror masterpieces that be also a
classification that can be use to describe
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
while i think that people tend to get a bite hyperbolic when they talk
about the last house on the left i do think its a fairly good film
especially give what the filmmakers be try to do and consider their
lack of experienced the era and the budget a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i have see some film literally dozen of times they will remain
nameless but they be there some of that film be pure entertainment and
have leave a obvious mark on me i have see last house on the left four
times and there be no film that have leave mu
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i of see last house on the left at the age of of at the drive in with
my well girlfriend this movie a early outing by horror maven wes
craven be so disturb to me that of year late i be still haunt by the
image on the screen the story of young girls a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
very funny movie by roger norman about a hapless busboy who work in a
fifty coffee shop and want much than anything to be accept by the
beatnik in-crowd he be prevent from do so however by his complete lack
of artistic talent not that much of the reg
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
not include almost every entry in the terrific edgar allen poe cycle
he did a bucket of blood unquestionable be roger commands well and
much entertain film and a coincidentally or not a this movie also
contain many reference towards poe a walled-up c
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the lost boys 1987 be one of the well and the great vampire flicks
ever made a true schumacher masterpiece and a classic horror film i
love the lost boys so much it be one of the well true horror movie
ever make from the 80 i always love this movie s
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the lost boys be one of the movie that i think epitomize the 1980 it
have a genuine 80 look and feel a good a a awesome soundtrack and some
fantastic performance by 80 legend like corey feldman this movie
really draw you into it and make you feel lik
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie to me be much of a comedy than a horror a the scene i
remember much be the funny ones a not to say it be a pure comedy it
isn t a it be though a very good vampire tale a the cast be superb
even corey haim and feldman a this be definitely t
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
one thing i can always promise you be that when people talk about the
well vampire movie of all time the lost boys be guarantee to be on
their list in the 1980 film be all about action sex appeal muscle and
very good look teenagers joel schumacher wh
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
let me preface this by say that i do not view the trailer before i see
this movie nor do i really know anything about it i do not know if
that will lessen the impact at all but it may not sure what they show
in the trailer writer producer director mc
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be thrill to see a movie like wolf creek come out in theatres a
straightforward horror film not rely on clever twist except one small
one or gimmicks it be the kind of film high tension start off a before
that last act mindf ck and while i end up a
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wowf like many other movie i review i literally only just see this and
i must say that ism impress with the sac this be a truly horrific
movie the highlights unknown cast- give the movie a very realistic
atmosphere i be so happy to realise that none
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
wolf creek be a fine example of a rare breed nowadays a horror film
that pull no punch and make no apology for frighten and unnerve the
audience three young people be hike in the australian outback when
theyre unlucky enough to meet mick taylor playe
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
wolf creek be very loosely base on a true story of the real-life
serial killer ivan milat who be convict of kill backpacker and dump
their body in the belangalo forest australia one of his intend victims
young british guy managed to escape and be ins
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
many people have make the connection to the friday the with series
with sleepaway camp for obvious reasons a they both come out within a
few year of each other and all the action take place at a summer camp
a however the primary theme in the friday t
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
horror film seem the easy way to make a quick buck in the 80 a there
be a abundance of them that grace video a i dont think half of them
actually make it to the big screen a you can add sleepaway camp to
that list a this be a typical scary film a it
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this 1983 horror slasher gem be write and direct by of time director
robert hiltzik the story begin with a boat accident which kill the
main character angels father and brother we then move forward in time
now angela be live with her aunt martha and
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
it have be year since i see this movie but i remember the key elements
young girl be harass at camp her bully start dye off unforgettable
ending i just never realize how big of a classic this really is for
that of you who dont know the film start off
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
robert hiltzik sleepaway camp be one of the much memorable slasher
movie ever made of course the act and dialogue be terrible but writer
director robert hiltzik manage to create very creepy atmosphere
throughout the killing be original and gruesome a
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the greenskeeper tell the tale of the summerisle country club golf
course its assistant greenskeeper allen anderson allelon ruggiero its
the day of his with birthday lately allen have be suffer from horrible
nightmares his step-dad john bruce taylor
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in some strange way i see this a caddyshack friday the 13th scary
movie half-baked all mix in a cauldron with the kentucky fried movie
stir up the mix a you have over-the-top privilege teensy a scheme old
man the old mentor type character a reclusive
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
what save this film be that the tone be just right funny and laidback
and tongue in cheeks no cure for cancer just a groovy goodtime a the
actor be all comfortable in front of the camera especially the lead
actor who just stroll through his scene wit
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
after dentist ice-cream man plumber repairman and so on at last even a
greenskeeper get the spotlight a slasher killer numb 600 and so in
this so bad and so stupid be fun variation on the slasher theme it be
worth a rental to get a few laugh for the
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
picked this sucker up in the bargain bin at probably the last remain
video store in txt when i see score by skip winger how can i resist
overall i would say its a satisfy view experience if you be in the
right frame of mind its slow at of with some p
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
after witness his wife linda hoffman engage in sexual act with the
pool boy the already somewhat unstable dentist dry veinstone corbin
bernsen completely snap which mean deep trouble for his patients this
delightful semi-original and entertain horror
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i remember this movie in particular when i be a teenager my well
friend be tell me all about this movie and how it freak her out a a
kid of course be the blood thirsty gal that i am i have to go out and
find this movie now i dont know how to put this
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the dentist be a uneven but quite effective little horror comedy that
try and succeeds at easy audience manipulation the universal fear of
dental pain will be amplify after just one view of this gorefest
corbin bensen the of law law fame isnt bad a d
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i be never go to the dentist again unless i see his wife beforehand if
he have some delicious piece of candy like linda hoffman ill pass
corbin bensen play a dement dentist to perfection he wasnt dement at
the start only after he catch his precious w
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this gem for gore lover be extremely underrated its pure delight and
fun gratuitous serving of blood insanity and black humor which can
please even the much demand lover of the genre a full exploitation of
the almost universal fear of dentist and fla
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie seem to be either love or hated those that love it seem to
be argentol fan that have succumb to the style and imagination those
that hate it seem to get annoy at script flaws soundtracks actor most
of the criticizers seem to have miss the
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
my review be base on uncut italian print which run 110 minutes young
jennifer connelly can communicate telepathically with insects the area
she arrive in be be terrorize by a psychotic killer who have be murder
coeds and make off with their decapitat
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
phenomena have long be one of my favourite dario argentol films it
definitely seem to be a love-it-or-hate-it kind of film even much so
than much argentose and i think its his much unjustly underrate piece
of work to date 14-year-old jennifer connell
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
in switzerland the teenager jennifer corvina jennifer connelly
daughter of a famous actor arrive in a expensive board school and
share her room with the french schoolmate sophie federica mastroianni
jennifer be a sleepwalker be capable of telepathica
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this is a review of the uncut version dario argentous phenomena of
1985 be a absolute masterpiece of horror come along with a ingenious
soundtrack by goblins argentol have enrich the horror giallo genre by
quite a bunch of brilliant films include suc
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this be a genuinely frighten story with correct utilization of images-
shock skill edition and eerie image lucio fulfils main great success
along with zombie of be compel direct with startle gory visual content
its a creepy horror film plenty of bruta
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the gates of hell be another masterpiece direct by one of the well
horror director lucio fulci fulci who sadly die in 1996 was a real
artist anyway this film concern a priest commit suicide and open the
gateway to hell allowing the dead to rise from
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
my rate of course only apply to the sort of people whole decide that
they like this movie even before they watch it like me for anyone else
this movie be a total zero evils of the night have some alien seek
human blood a the key to eternal life and w
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if this reviews correspond rate be base on technical prowess or
filmmaking story quality it would naturally be low indeed but it
supply a substantial amount of entertainment value this be cheeseball
crud at its finest while on one hand this viewer do
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
kolmar the ubiquitous john carradine look very wear and wizened parma
leggy eyeful julie newmark batwoman on batman and cora a haggard tina
louise ginger on gilligan island be a trio of evil alien who need the
blood of young folk so they can make a y
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as a result of be wrongfully accuse of murder a doctor and be put in a
mental institutions arnold masters plan bloody vengeance on everyone
directly or indirectly responsible for the death of his poor old
mother luckily for him he inherit a medallion
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
kurilian photography be feature throughout this intrigue film although
promote a horror the sci-fi element be strong mental patient jim
hutton eliminate his enemy with accidents carry out through psychic
phenomena naturally this series of bizarre kil
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
psychic killer be certainly a effective little horror film very much a
product of its era its a film with many flaws not little the shoddy
construction of certain scene and the general slow pace that never pay
off but at the same time it remain inter
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
psycho killer flick be a penny a dozen but at little this one have
something about it psychic killer be release before the slasher craze
really kick off and be surprisingly much original than many film in
its class the idea behind the plot is of cour
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
its the classic story of good brother vs bad brother a the vampire son
of old king vlad handsome noble bore stefan and hideous jealous
scheming fascinate radu battle over the right to their inheritance at
stake sorry be ancient castle vladislas play
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
thank you full moon pictures for restore vileness to the vampire
anders hover a the villainous radu be the type of fiendish demonic
monster that all vampire should be yet people today thank to genre
rapist like anne rice would rather watch vampire ga
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be one of my all time favorite cheap corny vampire movies calvin
klein underwear model i means stefan the good vampires return to
transylvania to ascend the throne of vampiric royalty but manicure-
impaired and eternally drool half brother radu h
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
subspecies like many other horror films get a raw deal on the majority
of movie-watchers have a hearty contempt for horror and when they
occasionally rend horror films they either want to laugh at them or
cringe at excessively gory scenes unfortunate
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
guillermo del torous stylish and original take on the vampire legend
be one of the much strangely overlook and underrate film of the 1990
its film like this that make me want to watch film film that be fresh
unpredictable and so rich in symbolism tha
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
severely underrate on this website cronos be a engage tale that
captivate the viewer for the entirety of its duration guillermo del
torous of ever film be a thoughtful heart-wrenching story which above
all manage to be fresh intrigue and unique while
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie isnt bad because it doesnt feature villain myers its bad
because the act be terrible the song be irritate and the story be
stupid i just try to get through it a part of a halloween marathon
give see the whole thing before but it just sucks
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this movie was well strange first off the title be halloween of for
that of us who have see john carpenters halloween we think myers kill
people but this movie doesnt even have myers in it so why be it call
halloween of second even if this movie stan
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i know this movie have its defenders but my lord it pretty bad the
lore be atrocious the motivation be inaner the lead guy be unknowingly
despicable however that song be perfect
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
do i really need to say anything else then i hate this terrible movie
everything that be great about one and good about two have be removed
it look and feel cheap and tacky the of one be so slick good made and
good filmed this one look like a cheap 8
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i really like the idea of make halloween series a a anthology but if
they make this film good the producer would have be successful and
they can continue the anthology a what they wanted but a of people
love myers just too much and nobody can blame t
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
yes i give the film out of ism not proud where this movie be concern i
have no shame i love this movie from the moment i see it on new yorks
creature features way back in the late 1960 a a five year oldest five
this movie scare the crap out of me now
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this movie be release with the low of budget but at a time when
similarly themed movie be make just a cheaply a admittedly the last
time i see this movie be probably 1957 but it still stay in my mind
because the monster seem impossible to defeat up u
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
from pasto colombia via law can calix colombia and orlando fl nine
years old a thats how old i be when crab monsters be released when do
i become a movie junkie probably from age or of who knows maybe even
of when the conversation turn to that schloc
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
it bizarre preposterous silly campy creepy a bite gory a little scary
and a whole lot of fun where doe one begin with a film such a this
campy creepy bizarre for its time quite shock a decapitation and a
favorite of year to of year old boy watch chil
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the renowned plastic surgeon dry frank flamant helmut berger own the
clinique des mimosas in saint clouds while shop in paris during
christmas with his beloved sister ingrid flamant christiane jeans and
his lover and the head of the clinic nathalie b
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
jess francois faceless be late 80 euro-exploitation with the typical
storyline of early 60 euro-exploitation namely a celebrate surgeon who
kidnap and kill beautiful woman in order to restore the beauty of his
own sister whoas face get horribly defor
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
prolific director jess franco make a lot of crap during his career but
in his filmography there be several hide gem and faceless be
definitely one of them true to francois style the film be trashy and
sleazy throughout but its the eighty atmosphere t
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a wealthy father hire a private eye to go to france and track down his
miss daughter her disappearance can be attribute to a plastic surgeons
secret set-up in which he and his assistant kidnap young lady and keep
them in the clinics basement a year a
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
first off understand my rate of ilsa ilsa by general movie standard be
not a good movie if you be to put it up against any of the so call
classic movies it would not stand up but that who search out ilsa she
wolf of the ss or any of the other in the
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
when this movie of come out in the 70 it be a and street style
grindhouse pleaser that would have shock mainstream audiences however
with the advent of video few will be so shock today ilsa be impossible
to take seriously sure medical torture be carr
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ilsa she wolf of the ss be the of in the infamous series of
exploitation film feature buxom ball-breaker dyanne thorned these film
be a classic example of true exploitation cinema and should be check
out by any fan of extreme or exploitation films sh
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be one of that rare small movie which have a great plot decent
special effect for the time and good acting for the horror fan who doe
not require gore and shock value to enjoy a movie this be a real
treaty there be some minor flaw if you look cl
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
avoiding death and what happen when we die have be recur theme
throughout all art form since the dawn of time despite the fact that
there be a lot of film that handle similar themes the asphyxy stand
out for its original and intrigue exactions the fi
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ism a big fan of hope lovecraft and this story have all the classic
elements this be classic horror set in edwardian england an amaze
discovery allow the character a chance at immortality but a with all
delve into the occult this one be fraught with
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the asphyxy a a the horror of death be one of the much original yet
unheralded english horror films set in 1870 england aristocrat sir
hugo robert stephens accidentally photograph a entity mythological
name asphyxy enter a persons body at their death
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
when the asphyxy be release in 1973 the exorcist be about to change
the landscape of horror forever move the genre away from subtlety and
into the realm of graphic effect and makeup thats one of the reason
why the asphyxy be a box-office flop fondly
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the reptile be famous for the fact that it utilise the same set a the
brilliant plague of the zombies and a such you would expect the rest
of the film not to be up to hammers usual standards this couldnt be
far from the truth while this may not be ha
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ray barrett and jennifer daniel inherit a small cottage in cornwall
barrettes brother die under mysterious circumstances and the new
couple soon see that people be not very friendly in the country john
gilling make this the same time he direct plague
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
upon the mysterious death of his brother harry spalding gray barrett
and his wife valerie jennifer daniel decide to move to the inherit
cottage in a small village in the cornish countryside on arrival in
the village they be receive coldly by the loca
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a young couple harry and valerie spalding inherit and move into a
small cottage previously own by the husbands now decease brother
charles charles death be something of a mystery but none of the local
in the small cornish village want to discuss it o
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
take my word on this a tower of evil be a must see if youre a admirer
of raw vicious and undiscovered horror this film be so much fun i
canst believe i just find out about it now its cheap and nasty but
very imaginative and spirited tower of evil be
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
as early was horror flick go tower of evil a a horror of snape island
have a greater-than-expected amount of sex and goree unfortunately the
script be pretty stupid and the performance be generally bad ruin what
might ve be a decent little chillers s
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
tower of evil aspect ratio 85 1sound format monowhilst search for
ancient treasure on a lighthouse-island off the british coastlines a
archaeological expedition become isolate from the mainland and be
stalk by a monstrous assassin trash classic from
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
sexy vintage british horror tale pack with traditional atmospheric fog
shade of gothic and hot young flesh from the firm buttock of the hunky
man to the smooth perky breast of the women this film exploit the 70
free love era three interconnect tale r
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i know your think cellar dwellers that sound like a poor sad excuse of
a horror film with camp act and a low budget monster i dont think ill
bother with that well much fool you yes it have camp act and yes it
have a low budget monster but what do you
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be a fun little horror film about a comic-book artist play by
jeffrey combs freak whose creation come to life and kill him in 1950
now the monster still hide in the basement of his house which be a
home to a group of artists cellar dwellers be a
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
one can do wrong than this if theyre partial to the cheese horror of
the 1980s a decade when the genre really come to life not that its
anything special at all but it is reasonably amuse and thankfully
pretty short in duration 78 minute all told a pr
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
cellar dweller 1988 be a 80 horror classic in my bookit be good fun it
have a interest plot and its short run time mean that it never outstay
its welcomed i love 80 horror and this be one of the memorable ones
for it have a really cool monster and it
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this really isnt too bad a film and be certainly a worthy sequel to
the original piranha work because it be tongue-in-cheek make fun of
the film it be parodying piranha ii try to be much serious but be so
cheesy that it manages by default to be just
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in a caribbean island a couple be find dead inside a sink ship the
scuba dive instructor of the local resort anne kimbrough tricia o neil
break in the morgue with her acquaintance tyler sherman steve marachuk
and find that the body have be eat in man
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
sure its not the well movie ever made but they dont do this kind of
movie any more it have a bite of that early 80 charm over it and lance
henriksen be never bad in a movie sure the script blow but what a hell
its entertain a hell and the effect look
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
cathy stevens have be suffer dark dreams and believe they have
something do with her father after the death of her mother she travel
to political-torn romania to find her father however her investigate
get the local police question her motive and gai
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
stuart gordon be a busy man back in 1990 aside from his surprisingly
good retell of edgar allen poems the pit and the pendulum and
something call robojox he also make this little know tv movie which
like the poe film be surprisingly good given that t
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
daughter of darkness be a actually pretty good film with a few small
flaw to it spoilers arriving in romanian american katherine thatchers
mia sarah determine to find herself a new life while search through
the city with max dezso grass keep see a st
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
when the empire state building be be constructed another high-rise
skyscraper the chrysler building be its rival as far a i know this be
the only film to pay homage to the chrysler building the stand for
quetzacoatl a wing serpent from aztec mytholog
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if youre carry around inside your head a schema of moriarty a ben
stone assistant da on law and order the grim determined rigidly moral
prosecutory this movie will shake you up like a animate cardboard
halloween skeleton he be hardly ever at rest his
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the winged serpent be a trash movie classic and it also represent one
of the master of that cinema niches fine hours larry cohen direct this
movie which follow the standard monster movie formula and be blend
good with a theme of mass hysteria and a g
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
be a fun film but the main problem with it be that monster in the
title be rarely see or be just a simple plot device and the end result
be sorta unsatisfying the story be much about the aztec cult and their
human sacrifice to their god a quetzalcoat
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
this thing be so mind-boggling that word almost fail me i literally
spend 80 of it with my jaw drop in utter disbeliefs punctuate by burst
of incredulous laughter nothing in it make any sense at all i means
our castaway arrive on the island in a perf
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
briefly speaking nothing in this movie make any sense at all either on
the level of overall plot or of individual scene or even lines a this
would have to be one of the much relentlessly stupid movie ever made a
as soon a it look like something be re
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
with the recent box-office success achieve by the late remake of 1974
the texas chainsaw massacre its worth look back at tobe hoopers
original horror classic a the movie tell a fairly simple tale at heart
a group of five teenager drive through rural
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i decide to get this movie for my annual halloween scarefest a week
early as the new one be out in theatres i feel a need to see the
original first and bow be i glad i did the whole movie just blow me
away i turn off all the phones chat program and s
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
those who have post here compare tobe hoopers one and only masterpiece
with the dreadful remake be presumably young child with no real
understand of cinema the 1974 film be the antithesis of the slick mtv-
influenced cynical cash-in mentality that inf
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the texas chain saw massacre can and will be reinterpret by critic and
theorist for decade to come it be shoot in the summer of 1973 during
the aftermath of the vietnam war and the munich olympic massacre at
the height of the watergate scandal and th
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the texas chainsaw massacre be a terrible film i know go in it would
be nothing like the original and be completely fine with that but this
movie go out of its way to be a ridiculous a possible the genuine
scare from the original have be replace by a
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
texas chainsaw massacre be one of the much misunderstand movie of all
time i see texas chainsaw massacre when it be release in theater back
in 1986 i love this horror flick then but everyone else hate it
critics trashed it even many horror fans of th
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
disclaimers do not try to remove your hemorrhoid with a chainsaw it
will not save you a trip to the hospital spoilers ok let me tell you
why the texas chainsaw sequel dont work the original film be slightly
exempt from this but when you have someone
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
potential spoilers ahead when id of hear of this movie it be describe
to me by my cousin a the scary and creepy movie theyd ever seen so it
always have a place in my mind a a movie to avoid however when i
finally do catch it i have to say i disagree
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
four snotty rich kid at a prep school in england want to get out of a
field trip to wales where they would have to eat fish paste sandwiches
and be otherwise uncomfortable they also dont want to get out of the
trip by just return home over the school
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
truly fresh and new ideas rarely make it to film the hole base on the
novel after the hole by guy burt be a good exception to this it be
seldom that we see a top quality thriller but this movie be good cast
good directed and work wonderfully the stor
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
ive be anticipate this film for a while since it be thora birches of
role since american beauty so the hole the hole have be hype up a a
horror psychological film in which student be lock down a old wartime
bunker -the- hole to avoid a bore geography
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the of half of this film be like anything youd expect from quentin
tarantino and robert rodriguez cool 70 soundtracks snappy dialogue
really good editing lot of violence and a slightly unconvincing role
by qt himself i think it be disturbing stylish
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i enjoy this film but i be leave a little puzzle at the end by what id
just watch in term of what type of movie this visit start off a a very
tarantino-esquire film its clear that he write it a his famous
dialogue be present its a enjoyable crime thr
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
from dusk till dawn be kind of brilliant brutal bloody tarantino
horror silly and funny it be brilliant brutal bloody horror silly and
funny the way sam raisins the evil dead be all that things the twist
here be a screenplay write by quentin tarantin
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i love this film for many reasons for one the switch from a crime
thriller to a horror thriller be seamless i for one have not hear much
about this film before i watch it and i assume the tv times be mistake
in call this a gory horror thriller to me
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
if there ever be a film which deserve to be call haunting its this one
excellent music wonderful dream-like atmosphere masochistically-grim
mood verge on nihilisms mystical overtones a sympathetic supernatural
yet human villain its just wonderful dis
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the titular dust devil be a evil demon that prey only on that who have
lose the reason to live this include wendy who have break up with her
husband and be now make her way aimlessly across the south african
desert feeling lonely she pick up a stray
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
only this check the final cut version and you ll discover that much of
the flaw for which this movie be criticize be gone with its of minute
of footage previously cut and no re-dubbing story make sense of course
because of all the reference to art-mo
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
jesus francois 1970 vampyros lesbos inexplicably title above el sign
del vampiro be the masterpiece of all euro-exploitation genres you can
swoon over the greenaway light in suspiria you can thrill to the
comic-book metaphysics of the beyond a few so
Movie title: Vampyros Lesbos
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
fright night 1985 be a awesome true classic vampire horror film that
be write and direct by tom holland him self i love the remake but i
just love the original much better in here you have monsters a real
vampire and werewolf in it chris abandon do a
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
fright night lost boys and near dark be the holy trinity of was
vampire flicks and arguably three of the well vampire movie of all-
time just recently i return to this piece of 80 horror gold and i have
to say i enjoy it just a much a the of time i se
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
is it the 80 cheesiness fashion clichã©s music its impressive fix the
story who knows time make justice to fright night one of the well
vampire movie ever and probably the well of the 80 when it come out in
1985 the slasher genre be on its high peak
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
fright night be a movie that have stick with me for years recently i
be able to get it on dvd and have be watch it and try to convince my
friend to watch it ever since it have its flaw but time have be kinder
i think to fright night than it have be t
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
title fright night director tom holland stars roddy mcdowell chris
sarandon william ragsdale amanda bears and stephen geoffrey released
1985 review very few minor spoilers ism sure many of you here know
this movie by heart and have see it countless h
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
of the slasher film that jamie lee curtis would appear in after the
masterful halloween 1978 terror train be truly the best its also one
of the well genre entry of the early 80s college student hold a
costume party on a train only to have a mask stra
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the 1980 horror film terror train may well be describe a halloween on
the rails a in it a fraternity have a party take place on a train
speed through the canadian night a and then one by one without anyone
know it a situation make even much complicat
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
jamie lee curtis be once again cement her status a the scream queen
after the success of halloween the fog and prom night but this one
unfortunately wasnt a successful a the previous one and remain the
little remembered but that doesnt mean that this
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the picture narrate how a group of fraternity execute a initiation
prank to a young boy who be emotionally frighten years late a
masquerade party be celebrate on charter hire train and someone mask
wear realize a series of body count scabrously murde
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a fraternity prank on a weakling of a student go horribly wrong when
the victim be emotionally affect by it and end up in a institutions
now three year have past and the senior fraternity friend have decide
to celebrate their final outing with a new
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
my bloody valentine be one of the well 80 slasher films it be one of
my personal favorite slasher films i love this film to death it be
good make 80 slasher film from george mihalka it be a canadian slasher
that be happen on a holiday valentine day a
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
in the wake of halloween and friday the 13th many similar film be
released much of which have little or no distinguish features one of
the much effective and atmospheric be my bloody valentine shot in
canada and very infamous for its brutal battle wi
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
twenty year ago harry warden go nut and slaughter a bunch of people on
valentines day the mine town he hail from cancel subsequent v-day
dances but when they try set one up again warden seemingly return with
his pickax ready to hack the local kid up
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the 1980 be and remain one of the much controversial time period in
the history of the horror genre on one hand it see the birth of
several of the genres great film and many of the much entertain film
that still have historical significance on the ot
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
my bloody valentine be one of the well and much well-made slasher
flick of the 80 its also one of the well holiday themed horror movie
around craze miner be determine to stop the celebration of valentines
day in a small nova scotia town with the help
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
my brother and i use to watch this movie all the time probably when it
be on hbo back in the day it be a nice piece of nostalgias since i
have view it so much a a kid it be like go back and watch a movie you
almost know by heart but at the same time
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
one of my all-time favourites a nice idea in the spirit of the care or
christine with great action mostly of well-show car chase in tucson
arizona the character be good construct and on the whole good
implement by the actors with nick cassavetes stea
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
it make me laugh when i read bad review of this movie no one claim it
be a classic no claim it would win award or prize for depth of
storyline what it doe have be earnest performances fantastic fx amaze
score and very pretty photography yes laugh at
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
one of the halloween follow-up that would give jamie lee curtis the
title of scream queen children accidentally cause the death of a
little girl now year late they be in high school and get ready for the
promo however it seem someone else be plan on
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
prom night emerge at the begin of a decade which also mark a decade
for the rise and fall of slasher film a we know them along with terror
train and the fog prom night be one of jamie lee curtiss much well-
known return to the genre after halloween th
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
prom night be a excellent canadian horror mystery movie from 1980 it
start with a group of kid play a game in a abandon build that turn
horribly wrong a young girl they be pick on fall out the top window to
her death the kid decide to keep quiet abou
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i of see prom night back when i be year old but didnt appreciate it a
a film until re-watching it at 19 watching it a a time be like
discover a priceless gem and i must say a a screenwriters i still look
to this movie a motivation and inspiration unl
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
the house on sorority row be one of the well tale of vengeance in the
slasher genre sorority girl pull a prank on their house mother only
for her to end up dead and the girl leave in a world of trouble they
believe they have cover up the crime but wh
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
the house on sorority rows be above your average slasher flick its up
there with halloween follower like friday the 13th prom night my
bloody valentine and sleepaway camp unlike much slice-and-dice movies
the house on sorority rows actually have a pl
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i catch this movie on vhs in the early 90s have missed it in the was i
dont know how i just re-watched it tonight and i must say yes its a
typical was slasher movie but it have great humor and great suspense
and a really creepy killer the music just
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
better than average slasher flick about a group of sorority babe who
accidentally kill someone during a prank and try to cover it up later
theyre murder one by one by until the inevitable final girl vs the
killer showdown all this thing seem to have
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
from ken russell the devils to jesus francois love letters of a
portuguese nun from sergio grievous sinful nuns of st valentine to
gianfranco mingozzi classic flavia the heretics and everything in
between i be a self-confessed nunsploitation freak i
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
a very very silly film not once will you feel horror or revulsion
unless you be the sensitive type or a nun but you may smirks and you
may laugh and you may even find yourself cheer on dear old sister
gertrude a she go on her rampage of false tooth d
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
killer nun be a crossover between two of sleaze cinemas much popular
subgenres the graphically title nunsploitation and the much popular
italian thriller know a gallop i canst say ism very experience with
the former but ism a big fan of the latter an
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
far well than i remember think on my of view but that be a while ago
and now i think of it one of my of in this field probably not a good
one to encounter of because it really be such a strange one pretty
surreal with nun drift down corridors gown sp
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i love just about everything the late al adamson direct in his long
and vary career but the possession of nurse sherrie stand head and
shoulder above fun yet admittedly grade-z schlockfests like horror of
the blood monsters and blood of ghastly horro
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
i buy this on vhs a terror hospital and when i get home i check iadb
and be like org its the legendary nurse sherri so herems another one
from al adamson who have clearly learn some minuscule amount about
film-making since the blood of dracula castle
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be another film i remember from childhood from the day of regular
tv free broadcast and adjust the rabbit ears for reception a a crappy
but atmospheric british monster picture now not only on cable but on a
premium service i come across it again
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this film be a wonder if one be to happen across it one sunday
afternoon sober and alone one may struggle to immediately spot its
worth however do not pass this film by director balch have here craft
a masterclass in horror aesthetic and inconsistenc
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
horror hospital be a excellent slice of vintage british horror produce
in the early 70 when film be get gory notice the numerous
decapitations gough be on top nasty form a a doctor who perform brain
experiment sound familiar on his young victims and
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 negative 0
a wear out musician decide to take break and go a relax vacation he
choose to stay at health farm locate out in the country and on the way
there he meet a girl on the train go to the same place to see her
aunty the mysteriously means but cripple dry
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
horror hospital start with a black rolls royce park in some wood
somewhere in england dry storm micheal gough crack his knuckle a he
wait in the back with his assistant a dwarf name frederick skip martin
a teenage couple be see run through the wood c
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
this be the well rendition of dracula ever capture on film gary oldman
dark and sensual persona outshine any other vampire who ever dare put
on a cape to me gary holdman be the much talented and underrate actor
every he become who he be playing howev
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
though i do not read the book and canst compare it to the movie i find
bram stokers dracula quiet excellent the costume design lighting
camera work make-up-fx be all very good and make for a very
atmospheric movie there be some truly outstanding thin
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
one of the well know and much popular dracula film be by francis ford
coppola at the time he really hadnt make a hit film since the
godfather he be go bankrupt so what well way to get out of debt than
to make something that be pretty much a guarantee
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
as be the case with many of this latter-day horror movies this be
visually stunning this one be particularly so with beautiful colors
wild special effects lavish set and a handful of pretty women lead by
winona ryder it isnt all beauty there be some
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
francis ford coppola adaptation of bram stokers classic vampire story
be unlike any other film i have ever seen a beautifully craft gothic
horror romance bram stokers dracula be infinitely rich in haunt
atmosphere but a conventional love story preven
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Binary Score
0 positive 1
i expect a jaws clone and get a movie about threesomes after i get
over the initial shock i actually find tintorera to be a sweet almost
classy little male fantasy tintorera be actually a sex and thus
perfectly capture the feel of the seventy take on
Movie title: Tintorera: Killer Shark
afinn_preds_raw = [afn.score(rev) for rev in all_reviews_joined]
afinn_preds = (np.array(afinn_preds_raw)>threshold).astype(int)
print(confusion_matrix(np.array(true_targets), (np.array(afinn_preds)>threshold).astype(int)))
print('\n')
print(classification_report(np.array(true_targets), (np.array(afinn_preds)>threshold).astype(int)))
#classification accuracy score
afinn_accuracy = accuracy_score(np.array(true_targets), (np.array(afinn_preds)>threshold).astype(int))
print("Correct classification rate:", afinn_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(true_targets), (np.array(afinn_preds)>threshold).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (AFINN Vocabulary-Based Sentiment Analyzer) \n', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[ 89 26]
[216 477]]
precision recall f1-score support
0 0.29 0.77 0.42 115
1 0.95 0.69 0.80 693
avg / total 0.85 0.70 0.74 808
Correct classification rate: 0.7004950495049505
Rev_SentimentDocument = namedtuple('SentimentDocument', 'words ttl tags wn_sent_score')
i=0
sentiwordnet_output = []
for rev, ttl in zip(all_reviews_joined, all_reviews_ttl):
sent_binary = sentiwordnet_sentiment(rev, verbose=True)
words = rev
tags = i
wn_sent_score = float(sent_binary)
sentiwordnet_output.append(Rev_SentimentDocument(words, ttl, tags, wn_sent_score))
print(fill(words[:250]), '\n')
print('Movie title: {} \n'.format(ttl), '\n')
i += 1
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.74 0.49 0.25 0.24
spoilers have see a lot of films review a lot of film but this
extraordinary two and a half hour technically-perfect humanistic
horror film from one of the fine writer directors in the business
auteur of i saw the devil be something of a cipher the c
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.83 0.59 0.34 0.25
the wailing open with a quote from the bible it be easy to forget this
fact while watch much of the film but at a certain point it become
clear the purpose that quote served it be almost like a warning if you
be a religious person this film will scar
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.59 0.57 0.27 0.31
this movie be a hell of a ride about of minute into the movie i stop
to look at how much time be leave and be actually relieved to see that
there be still so much left thats how engage and interest the story be
for me before watch the movie i read on
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.83 0.53 0.34 0.19
i want to start this review with say that i be not completely against
jump scares they play integral part of horror movies but when a movie
mostly rely on them and be not support with great story i be always
leave displeased what make the wailing so
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.5 0.5 0.29 0.21
perhaps ism a little biased after all this be set in the city i live
and work in and see oxford street and piccadilly circus which i pass
by every morning and which be usually teem with crowd of people
completely empty be enough to send shiver down m
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.5 0.42 0.39 0.04
this film be about a virus rage virus that make the infect person mad
with extreme rage and hungry for blood within of day one outbreak in
london cause entire britain dead or evacuate leave behind a blood-
thirsty infect population and a handful of so
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.53 0.42 0.33 0.08
the 2003 state-side release of danny boilers 28 days later be
advertise a be a chockful scare-fest of a movie i didnt get around to
see it until a few day ago and i gotta feel like that be somewhat of a
embellishment on the promoters part when enviro
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.7 0.4 0.33 0.08
the key to keep the sci-fi horror genre alive in the cinemas a of
later be to make sure the material and technique the filmmakers
present be at little competent at its average creative and at its well
something that we havent see before or havent see
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.41 0.33 0.09
let the right one in be like no other vampire movie that i have ever
seen it be smarter scary and much nuanced it doesnt feel like a
thriller it feel like literature the film which detail the bizarre
misadventure of a pair of pre-teen star cross love
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.56 0.65 0.31 0.33
let the right one in is at its heart a sweet coming-of-age story which
be so unique and different that it simply defy categorization in this
swedish film adapt from john aside lindqvist bestselling book director
tomas alfredson dare to mix pleasure a
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.11 0.53 0.3 0.23
so many people review this film on iadb seem to focus on the sweet
friendship between its of year old human and vampire leads while this
be a huge element of the film this be a sweet story of childhood
friendship in the same way the godfather be the
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.64 0.77 0.27 0.5
i be not particularly fond of the vampire genre but this movie be so
much more it be artistic poetic and in many way a very profound movie
explore the nature of good and evil it doe so through the world of a
child where both pure evil and pure goodne
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.63 0.4 0.28 0.12
zombies and much zombies so many they do not cheap outta few original
idea and moves which be probably mandatory because they only have the
width of a train to play with for much of this film a a beautiful girl
what can i say i be a sucker for long-h
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.06 0.29 0.23 0.06
dont youths film be fun action-packed full of dangerous elements
innovative have pretty girl in it and much importantly be successful
yup here come the hollywood remake it will be another entry in the
series of redundant unnecessary inferior whitewas
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.23 0.45 0.16 0.29
the zombie be a plenty so they go all out for thistle cheerleader be
splendid and gods gift to debut the story really peter out at the end
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.33 0.36 0.34 0.03
who would ve guess that the director of saw would end up be the much
inventive horror filmmaker work in the industry james wan brilliantly
take us back to the retro day of horror deliver a extremely stylistics
visually strike horror film that stand t
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.72 0.37 0.36 0.01
dont summon the devil dont call the priest i be one of a lucky few to
have see the conjuring at a preview screen for brightest 2013 i go in
totally cold not have see a trailer nor know anything about the story
or plot and it turn out to be one of the
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.95 0.51 0.4 0.11
ism a avid horror fan lately ive be think there isnt much that can
scare me though sinister get under my skin i appreciate james wants
films i love the of saw insidious be a damn good modern ghost story
but like all review have state for it the movie
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.42 0.43 0.31 0.12
the key with the conjuring be not that it have freshness on its side a
evidence by the ream of horror fan argue on internet site about
nothing new on the table but while that fan will be go hungry for a
very very long time the conjuring doe everythin
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.32 0.57 0.37 0.2
the conjurings be a high class horror film its hard not to be scare by
it we care for the character and the story be compel enough to make
you feel interest the whole time based on true life events ed and
lorraine warren be paranormal investigator se
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.06 0.42 0.39 0.04
while much movie that pit human against horrendous extra terrestrial
end up be cheap imitation of the aliens series pitch black stand a a
fine piece of sci-fi and a excellent movie all around a perhaps my
favorite aspect of the film be the lighting a
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.46 0.51 0.54 -0.03
pitch black be a survival story its about how to survive in a hostile
alien world against even much hostile enemies the task get even much
difficult when the near enemy can be find within your own survive
group the plot of pitch black be quite usual
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.47 0.48 0.33 0.15
this be without doubt the much excite and satisfy film ive see in
years of the plot see in print be almost banal- a ship crash on a
desert planet with three suns the survivor have to adjust to the
landscape and each other then darkness fall and the m
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.17 0.69 0.42 0.27
the open scene of this movie be pretty incredible a ive see a numb of
sci-fi movie with great special effect but my roommate and i look at
each other after the open sequence and he say plainly sensory
overloaded a the plot of the movie be pretty simp
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.29 0.6 0.41 0.19
anyone who live in the world and follow movie have a pretty good idea
of the main concept behind a quiet place there be being that will kill
you if you make a noise a the film doe very little to try to explain
where this being come from all we know b
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.9 0.59 0.33 0.26
a quiet place direct by john krasinski be a genuine and tense horror
thriller it have a unique premise and backstory the setup for the
story have be do well the performance by john krasinski and emily
blunt along with the child actor be awesome the d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.57 0.46 0.31 0.15
this be a good movie if one be will to overlook the hundreds literally
hundreds of logical fallacy in this movie other review give a good
overview of the plot ism not look to do that here i just want to point
out some plot inconsistency andor the lac
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.24 0.41 0.27 0.14
this film be a classic case of we just have to make a film about that
premises however what the people involve didnt do good be figure out
how to cover all the plot hole the premise be always go to introduce
the introduction be move and set up the pr
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.67 0.52 0.39 0.13
first i enjoy some part of this film the suspense be on point acting
be good it wasnt totally unwatchable but for me it fall short of what
it can have been ism just go to list why i disappoint and confused
spoilers below a be they really aliens how d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.0 0.29 0.47 -0.18
theres a lot of this shaky-cam movie around at the moment and among
your cloverfield and diary of the deads this low budget spanish movie
may seem like the underdog but its punch way above its weight filmed
by a tv crow stumble upon something very na
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.93 0.46 0.33 0.13
this be truly a superb horror movie i love this movie so much i have
to leave a comment it have be a long time since i jump off my seat a
few time way too many it have some of the scary scene i have ever see
you ll know what ism talk about the way it
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.23 0.4 0.35 0.05
rec be a film that utilise the pov point of view camera technique for
the entirety of its duration it be a technique in which the person
behind the camera be a character that be integral to the plot
narrative and story of the film in brief rec be a h
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.7 0.5 0.36 0.15
this be the kind of movie that you go to the cinema and watch and then
haunt you for weeks not that it will make you afraid of the dark or it
will make you question your vision of life this be the kind of movie
that be all about the experienced the f
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.47 0.41 0.31 0.1
i be not usually comment on movie here i rather read other peoples
comments but i just finish watch rec and i feel i really have to
comment even if its just to get my heart rate down first of all let me
say this be one hell of a terrify movie i think
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.71 0.36 0.29 0.08
theres another version of the witch that could ve existed a puritan
family in new england get terrify by a witch live in the woods who
torment them with supernatural satanisms if youre say to yourself wait
isnt that exactly what this movie is then yo
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.54 0.56 0.36 0.2
this be a story set in the early colonial period of new england it
have the authenticity of a well-researched historical drama up to and
include dialogue deliver in a period accent and vocabulary softened a
bite so that its easy to understand instead
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.42 0.62 0.3 0.32
if people from the with century can make a film about their deep dark
horror it would look a lot like this movie the witch engross you in
the time and place of its setting its a family drama a horror and a
folk tale all interweave together into a mac
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.7 0.51 0.31 0.2
if nightmare induce horror be not your bag then the little you know
about the descent the better geordie writer-director neil marshall
have deliver a accomplished good acted out and out horror movie that
come a much of a pleasant surprise a his of ma
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.98 0.43 0.35 0.08
there arent that many british horror films so its not too much of a
stretch to call this one of the well british horror movie ive seen it
have flaws but ive only see a few film in my life that donate its
incredibly entertain though the basic premises
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.5 0.43 0.41 0.01
whats interest to me be the deep mean and symbol of the film the film
be really about two women sarah and her friend juno the film open with
sarah lose both her husband and child in a horrific wreck over the
course of the movie it become apparent tha
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.45 0.61 0.24 0.37
with dog soldiers neil marshall create a tight and claustrophobic
atmosphere then add the scare to create a very good horror film
however the tension be often release with humour and the audience be
allow to catch their breath and relax at no point i
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.12 0.44 0.31 0.13
after watch the descent my bud robert and i decide that spelunking
would now come off both our to do lists—for good writer and director
neil marshalls the descent craft and sustain a unrelenting tension
throughout once you get past the suspend disbel
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.31 0.55 0.42 0.13
whenever i see a negative review of i saw the devil the critic always
mention scornfully that the movie be ultra violent and portray woman
in horrify circumstances yes it is and yes it does but this isnt a
hollywood slasher flick the kill in this mov
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.76 0.44 0.4 0.04
this movie be not for the squeamish or the faint of heart censors
claim it be offensive to human dignity these be the kind of thing they
tell the audience at the world premiere screen of the uncut version of
i saw the devil at the toronto internation
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.56 0.56 0.42 0.14
i saw the devil be a bloody masterpiece jee-woon kim have prove
himself to be a master storytellers beautiful shots a creative script
perfect act and intense violence make i saw the devil a must-see movie
for anyone who call themselves a horror fan i
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.44 0.37 0.43 -0.05
the plot of i saw the devil revolve around a detective whose beautiful
fiancee be savagely murder by a vicious psychopath play by oldboy
himself min-sik choy despairing cop quickly track down the psycho
tortures him a little and let him free to play
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.21 0.35 0.28 0.07
just come back from the tiff screen of the uncut version of this film
and after read the very of review post here i feel somewhat compel to
leave a short comment the movie be about revenge a woman be murder by
a serial killer the womans soon-to-be hu
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.5 0.45 0.31 0.14
this be probably the well horror movie ive see in the past decade it
follows be a throwback to classic late 70s 80s horror film and draw
many comparison to john carpenters style from the music to the
cinematography and rather than appear like a carbo
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.91 0.4 0.31 0.09
finally a real horror in a long time no much bloody slasher craps this
be how the really scary movie be made suspense and fear be create by
great cinematography and music the pace of the movie be slow and
almost no to few special effect be present i
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.81 0.46 0.41 0.05
inspired by 70 and 80 horror it follow be a refresh psychological
horror film with a simple premise and a chill concept the
cinematography be electrifying every shoot be beautiful and the score
hold brilliance it carry a very obvious john carpenter v
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.98 0.64 0.33 0.3
it follows be a horror film make for horror fans and its about time
one of that come around again this be a movie that be light on the
jump scares which be a delightful change of pace in the past few year
much and much horror have rely on jump scare
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.92 0.39 0.34 0.05
spoilers it follows begin how it ends mysteriously a young woman run
from her suburban home half dressed terrified confused she crosse the
road haphazardly then run back to her house pick up her bag and escape
in her care with her father shout after
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.66 0.45 0.28 0.17
i go into this movie confident that it would be a cheesy campy romp
with the same tried and true trick of the trade like when the hero be
investigate the creepy music come from the basement and a cat jump
into frame but i quickly discover that this w
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.76 0.37 0.34 0.03
of all the genres that hollywood have to offer the much tatter of the
bunch be without a doubt the horror department i be so sick of this
wannabe so called horror flick that belong on late night lifetime
channels im sick of the same old parlor trick
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.7 0.4 0.54 -0.15
the film insidious have do something many horror movie have fail to do
recently and that be to be scary insidious have a lot of really
intense moment that scared and then grab hold of you its not entirely
make up of make you jump scenes which it doe
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.11 0.43 0.51 -0.08
when i of see a preview for this movie i know it look like it have
potential it have be a while since i see a decent scary movie so i be
look forward to it i go into it expect some scare but nothing too bad
wrong this movie scare me out of my wits i
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.07 0.4 0.27 0.13
i go to a early screen of the movie last night and ism not exaggerate
when i say that i feel like a little child watch the exorcist for the
of time james wan do a very impressive for only a $800 000 budget for
this movie if youre go in the theatre ex
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.07 0.55 0.35 0.2
i be lucky enough to see this masterpiece at brightest this year
pascale laughers worry about this movie he be apologise to people who
despise it he be profusely thank the people who like it he be the
modern day equivalent of victor frankensteins he
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.47 0.58 0.34 0.24
what a experienced ism a big horror fan and be happy watch and enjoy
popcorn slasher movie for what they be but really the genre be cry out
for much picture that truly assault the senses the french be
particularly adept at paint bleak unforgiving lan
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.65 0.44 0.42 0.02
french horror have be push the boundary for some time now first there
be haute tension then a l intérieur and new in line be martyrs hype up
to take it all a little further and it did it definitely did its just
that it doesnt belong in the same list
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.87 0.45 0.25 0.19
this film be a terrify a anything ever released it take event from
modern headline and carry them to horrible but utterly believable
extremes performances photography editing score sound design direction
be all spot on i live in a neighborhood where
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.82 0.46 0.27 0.19
the film be introduce by the films writer director pascal augier at
this years brightest in london the organisers refer to the film a the
film they much wanted of the of show at the festival it be easy to see
why of all the film i see at this years f
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.96 0.72 0.43 0.29
on of impression the mist doesnt remotely seem like the kind of film
anyone should be excite about the mist what a bite like the fog then
stephen kings the mist that make it even worse directed by frank
darabont since when do he direct horror films o
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.12 0.36 0.28 0.08
ive be a member of iadb for many year now and rarely do i take the
time to comment on a film in addition i watch on average about 10-15
film a months split among all genre include horror lately thought ive
be very disenfranchise with much horror film
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.51 0.78 0.42 0.35
ill start out by say that ism a stephen king fan and thus i may have
some bias ive watch many steven king movie but have never give one a
rate this high most of his horror movie be in the 4-6 range with
classic such a the shawshank redemption the shi
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.25 0.42 0.33 0.09
if two year ago you tell me that within a couple of year two excellent
stephen king film adaptation would be released i would probably have
laugh it off films like the shining shawshank redemption stand by me
the stand and 1408 be usually pretty far
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.43 0.51 0.45 0.06
let me take a breath never have i have such a visceral physical
reaction to a film every not even with elem klimov come and see in the
last fifteen minute i be nearly physically paralyzed and then start
shaking realize how numb my body was and i be d
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.01 0.64 0.22 0.42
this be about a scary a i want to movie to be i genuinely jump a few
time watch this and once or twice mute the sound which make me laugh
write it but trust me there be scene in this film that challenge the
old ticker a cardboard box in the hallway c
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.59 0.34 0.31 0.02
in this day and age horror be get much and much creative by demand
since the psycho killer in the woods-scenario have pretty much run its
course a consequence of that be the incorporation of contemporary
technology and concept appear in the genre fou
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.12 0.33 0.25 0.08
directed and script by scott derrickson the exorcism of emily rose
2008 the day the earth stood still from a c robert cargill story
sinister be a exquisite realization of a original paranormal theme the
movie debut in this same towns sxs film festiva
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.93 0.65 0.33 0.32
dont watch the trailer or at little try not took i go into this film
only know the title and the fact i be wait for a scary movie to
actually be yep scary well i be in luck a sinister be exactly that
quite sinister i say try to avoid the trailer if u
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.34 0.51 0.34 0.17
ever since the very of trailer come out i thought now this look good
however some quite poor review come in so my dream be shatter slightly
but then suddenly some rave review come out even from my favourite
critics chris tooley who give it stars my f
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.22 0.6 0.43 0.17
battle royale be base on the shockwave novel by koushun takami which
be a bestseller in japan and which have become very controversial in a
very short time and it be really easy to understand why the plot be
relatively simple a class of junior high s
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.26 0.43 0.35 0.08
there have be contrast cry of greatest film ever made and pointless
gore fest make about br and neither be accurate in my opinion what it
is be a commentary about perceived real or otherwise problem among
japanese teen in the late 90 in one review so
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.36 0.41 0.36 0.04
this film be film that i believe have to be made and it be only a matt
of time before it was a yet it be a film that the us mainstream can
never have conceive making firstly to get it out of the way i will say
that i love this movie although at no po
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.28 0.45 0.33 0.12
kanji fukasaku make a film call battle royale back in 2000 hers make
plenty of film in the past ive see very few of them apart from battle
royale but ism always search for more battle royale be a film that
have affect many many people there be rabid
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.62 0.38 0.25 0.13
this movie be incredibly cruel and unrelenting it play a a single
feature divide into three sections dumplings direct by fruit chan of
hong kong cut direct by park chan-wook of korea and box direct by mike
takashi of japan each section be like a diss
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.36 0.36 0.41 -0.05
wowf just go to go see this three short last night which be about of
min a piece i agree that cut be one of the much enjoyable horror
experience i have have since high tension takeshi mike be probably the
big name in the asian horror biz but i have t
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.53 0.56 0.28 0.28
this be a excellent blend of three horror film that characterize the
ideal representation of asian cinema each story be present with
ordinary people display quality of evil and depravity these director
use powerful cinematic storytelling element in e
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.0 0.71 0.37 0.34
three short film that be plenty extreme and if the ending of all three
leave us wonder maybe that be good i do however find the end of cut
much than a little baffling there again unsatisfactory ending of
eastern film a judge by westerners be nothing
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.05 0.56 0.25 0.31
i have utmost respect for want to my knowledge he and his buddy be
right out of film school instead of slowly build status by make
mediocre films he show the world right from the get-go that he have
something to prove along with silence of the lambs
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.53 0.5 0.3 0.2
since nattevagten i have not see a thriller that have keep me on the
edge of my seat a good a saw right from the begin this original story
suck you in and doesnt let you go until the very end thrillers a grip
a this one have become extremely rare in
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.72 0.69 0.29 0.39
wowf the critic werent wrong not since seven have horror be portray so
majestically from the of minute to last this film twist and turn you
till you feel rather poorly just like se7en the all-round grittiness
that director james wan create disgust an
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.79 0.48 0.44 0.04
not since se7en john doe have there be a serial killer with such a
bizarre philosophy behind his action not that jigsaw actually kill
anyone much on that later sure in light of the increasingly
deteriorate sequel its hard to think of saw a little muc
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.78 0.37 0.35 0.02
not only doe this movie create a extremely tense atmosphere the moment
it starts it have plenty of gore and violence to bombard your eyes not
to mention that it have one of the well twist see in any horror movie
watch this film alone at night with th
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.95 0.54 0.28 0.26
a tale of two sisters or janghwa hongryeon be a true masterpiece
brilliant psychological thriller heart-wrenching drama and grip horror
all wrap up in one beautifully orchestrate package from the intricate
plot to the beautiful cinematography to the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.57 0.49 0.35 0.14
the beauty the terror the poetry the horror the innocence the guilt
maybe thats just about all i should write in this comment for a tale
of two sisters the well thing be to just watch this movie without know
anything about it i myself didnt even know
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.54 0.63 0.33 0.3
the recent history of hollywood remake of ghost horror film from the
east have be dismal this film will inevitably suffer the same fate so
get a copy on e-bay or similarity be good photograph and the sound be
superb viewing on a good screen and with
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.81 0.68 0.28 0.41
i of see this film two year ago in the cinema and fall in love with
this dark tale of two brood teenage sister cope at home in their large
country house with their father and step-mother their relationship
with their step-mother be strain to say the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.24 0.45 0.51 -0.06
eden lake masquerade a a touch and dark film but it be quite the
opposite in like another reviewer have to register just to express my
deep disappointment in this film sure it start off with a normal set
which you a someone who be much likely use to
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.43 0.73 0.4 0.33
its be a long time since ive see this film during the time when i
still didnt bother and rate and review every horror film i watch
lately ive be re-watching some of that i like especially but a for
eden like ill pass not because it isnt good but beca
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.61 0.42 0.42 0.0
i just recently see a movie call the children where all of the adult
act like whimper baby a their of pound sandbag kid murder them gangs
of little eight-year-old child kill their parents and all they do be
cry about it and get angry at each other if
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.58 0.73 0.58 0.15
i canst remember the last time a film evoke such raw emotion in me ism
literally teared up and shake from anger pain frustration and
disbeliefs watching this film be a experience much than word can
described it play on pure emotion youre suck into th
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.66 0.23 0.43
i be a massive horror movie fan but this movie leave me completely
cold it be mean spirited cold and above all else unbelievably
frustrate and stupid at times on the plus side the film be very good
act by all involved and very good made but such be t
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.93 0.41 0.36 0.05
a fantastic performance by the films start james mcevoy be reason
alone to watch this film every personality on display be distinct to
the other and he be so interest to watch anya who be breath-taking in
the witch doe a fine job here took this be a
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.65 0.56 0.36 0.2
this movie will keep you watch wait for the next character come out of
james mcavoy he should have win some award for his performance of a
man with many different personalities james be very convince in every
part he played the end be great but i don
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.15 0.68 0.29 0.39
i be surprise to see that this movie be release last year was ism
write this and i didnt hear about it take in consideration how promise
the plot is split be about three girl get kidnap by a man with
dissociative identity disorder did that have of pe
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.26 0.33 0.26 0.06
what a remarkable film the premise of the film seem quite superficial
at of but a the layer be peel back theres so much much beneath it a
horror film without special effect goree a action flick without any
car chases a high-tension psychological thri
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.57 0.44 0.4 0.04
shyamalan have his debut with the critically acclaim the sixth sense
follow by positively review movie unbreakable and signs after that he
go through a series of dud with lady in the water the village the
happening after earth and be term one of the
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.37 0.52 0.36 0.16
the devils rejects be not always a easy film to watch it have a
genuine savagery that make recent film such a hostel or saw ii non
spectacular though they were appear rather tamed think part of the
reason the film be such uncomfortable view be throug
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.59 0.33 0.36 -0.03
i of see this on a dvd in 2006 this be way well than its predecessor
house of 1000 corps it be sleazy gruesome and actually funny at times
otis baby and captain spaulding r the outlaw pursue by william
forsythe the rock once upon a time in american a
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.67 0.38 0.27 0.12
i go to this movie have see 1000 corpses which i think be a great
retro style horror in the texas chainsaw massacre genre this movie far
exceed any expectation i had zombie nailed it in this one classic
freeze frames awesome soundtrack used with purp
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.99 1.05 0.31 0.73
alright i never bother with house of 000 corpses mainly due to the
poor review and the fact it look like a texas chainsaw massacre rip
off as a matt of fact i wasnt that interest in this movie at first but
the early buzz raise my interest and i go ou
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.76 0.52 0.42 0.11
i go into a screen of this movie completely blind i hadnt see 1000
deaths and i havent even see any of rob zombies videos i do like his
music btw i have essentially no idea what to expect this movie be what
natural born killers tried to be its kill b
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.19 0.39 0.43 -0.03
in my opinion house of 1000 corpses be a fan movie fans of both the
horror genre and rob zombie be likely to love it though i do not count
myself a fan of either i do like both at times and i be quite familiar
with both those familiar with rob zombie
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.94 0.44 0.43 0.01
its sad that a film a wonderfully make a this be so grossly
misunderstood a let me say this right off that bath if youre idea of a
horror film be i know what you did last summer and you consider scream
and the exorcist to be the much shock film ever
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.38 0.33 0.38 -0.05
i already have a user comment for house of a 000 corpses submit here
on this site date over a year ago and a um a not very praising in fact
my of view of this film be so disappoint that i excessively discourage
other people here to see it rather than
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.51 0.45 0.45 0.0
i see this of on cable channel in early 2004 wasnt that impress a a
horror fan rob zombies debut be a throwback to the horror film of
yesteryears stirring in element of the texas chainsaw massacre he do a
awesome devils rejects bad halloween remakes
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.27 0.77 0.33 0.43
this movie deserve allot of praise simply for how good it play on the
norwegian cultural memes visually it be also quite good a it show of
the landscape and place in which the folklore of troll actually arose
and of course spice it with lovely comput
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.06 0.4 0.36 0.04
i see this at sundance last friday and have to say it be the much fun
i have have at the movie in a long while the story be film in
mockumentary style a la cloverfield and have a healthy dose of spin-
dry scandinavian humor to accent the dramatic and
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.61 1.05 0.22 0.83
ive be look forward to this ever since i of hear about it it sound
fantastic a group of three university student be make a documentary
about a series of mysterious bear killings but soon discover that it
isnt bear do the killing but trolls actual rea
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.76 0.61 0.38 0.23
this movie be a huge surprise for me i do not expect much but it be
one of the well movie of the year for me i have to admit that i be get
pretty sick of the usual movies recently i notice that after watch
thirty minute in every movie good or bad i g
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.76 0.49 0.27 0.21
we have all see the monster movie lately they always seem to included
zombies vampire of werewolves the troll throw monster movie through a
loop by insert the mythical troll the act be very much above part not
superb but good above average the specia
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.86 0.58 0.32 0.25
its no big news that the horror industry have be in decline for the
last or so years western horror movie have all be dry-ed up and
hollywood be desperately remake any asian horror that have a plus rate
on because there people be still make good horr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.16 0.56 0.34 0.22
first of all if youre a horror fan see it you will enjoy this film
period know this ive see a billion horror flick from all around the
world this one give me the creeps first 20-30 minute you still have
time to relax from scare to scared but from the
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.77 0.53 0.26 0.27
this asian horror film start off with a young couple tun and jane
drive back from a get-together late one night and hit a girl that
suddenly appear on the road this may sound very clich to season horror
fans but what ensue in the film be anything but
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.35 0.37 0.31 0.06
i see this movie for the of time week ago at the bangkok international
film fest and it be amazing not only be it scary a hell ive never
scream so much in a movie before and ism a avid horror movie fancy it
have a wonderful and original plot line thr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.15 0.54 0.47 0.07
shutters begin when thun a young photographer and his girlfriend jane
accidentally run down a young woman on their drive home they decide to
leave the dead victim and drive away later thun discover something
strange when he find a mysterious shadow t
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.97 0.53 0.35 0.18
let me begin by say i dont like horror movies i dont enjoy jump in my
seat i dont like be afraid of the dark for the next days and i usually
hate spanish movies so usually i only see the big horror classics and
that be because ive read enough spoiler
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.97 0.44 0.53
i see this at the brightest and its amazing do the previous reviewer
even see it no real shocks ive never see a cinema jump like the
audience at brightest for this film ism kind of tempt to name the
shock but i wont its such a stunningly make film cr
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.41 0.39 0.32 0.07
bone chill terror with a hint of the fantastic await audience who dare
to enter the orphanage produced by guillermo del toro the orphanage
continue the tradition the filmmaker start with film like the devils
backbone and panes labyrinth by show the d
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.11 0.67 0.34 0.32
the orphanage be a slick and quietly chill piece of work base around
what else a orphanage a woman name laura return to the orphanage she
grow up in a a child with the intention of open it up again a a home
for child with disabilities together with h
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.56 0.85 0.34 0.52
i think the film be good but didnt really live up to expectations i
didnt find it that scary admittedly one of the jump scare work on me
but otherwise i never feel any dread loom in the pit of my stomach the
film be gory than the mini series thats fo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.98 0.44 0.31 0.12
it have become ritual for me to read the novel with once a year every
year since it be release in 1986 the story be much than a gore-fest
its a story about love and hope and friendship that be still
meaningful to me to this day the only thing this mo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.23 0.71 0.31 0.4
what persuade me to watch this movie be the bless bestow upon it by
the story original creator stephen king who claimed i wasnt prepare
for how good it really was he not wrong it be quite extraordinary the
attention to details the subtle but effectiv
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.33 0.42 0.24 0.18
this be one of the well movie i have see all years and one of the top
horror story ever told a its creepy simplistic and eerie be impress by
the enchant simplicity of the plot the lack of need for hollywood
special effects and the haunt atmosphere th
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.85 0.33 0.26 0.07
the others be a very remarkable film from much than just one viewpoint
in a era where you can only impress young horror fanatic with bucket-
loads of blood and gross-out effects amenábar actually re-teaches his
audience that fear be especially cause b
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.12 0.69 0.45 0.25
the others be yet another in a long list of great horror movie of the
new millennium i have always love ghost stories and this film have
easily become my favorite ghost story every its like one of the great
old black and white ghost story but better
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.97 0.62 0.3 0.32
its funny that i see this movie the way i do perhaps ism much
perceptive to little dramatic human touches but i see this movie and
be satisfy with it in fact i fall in love with it this movie be
chilling very spooky with a few moment that will make y
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.39 0.48 0.3 0.19
if i have to sum up this movie in a words it would be chilling a the
others be a delightfully atmospheric suspense film a its tense scary
and very memorable -- i dont think ill ever forget the image of a
terrify nicole aidman clutch her rosary bead a
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.3 0.48 0.27 0.21
alexandre ajar you have a new fan before this movie be release in
theaters i make sure to watch wes cravens original endeavor let me
just start out by say that compare to todays standard and conventions
cravens classic the hills have eyes seem almost
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.21 0.72 0.46 0.26
what make early wes craven movie so special be this early and daunt
atmosphere he be so good in create and this be what hills have eyes
2006 totally lacked firstly the music through out the movie be awful
and totally clich and unfortunately diminish
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.92 0.42 0.35 0.06
the hills have eyes although a remake of the original be everything a
horror movie should be typically ism not a fan of slasher flicks but
this movie have element i like to see in a movie i dont like to see
the protagonist make stupid mistake the old
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.17 0.32 0.4 -0.09
i havent see the original but i now want to because this movie rocked
the movie start a a slow-boil suspense horror movie provide some
decent jump-scares at little in the theater and spend some time build
up character the movie then switch gear and t
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.78 0.39 0.39 -0.0
shocking disturbing at time hard to watch all word to describe the
horror of be force to watch moore take his shirt off but this term
also accurately describe this brutally vicious upgrade on wes cravens
1977 low-budget horror classic what would you
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.61 0.43 0.18
and by rate i mean the pg-13 one seems like you can get away with
murder this day with a pg-13 rate seriously thought while this be one
detail that get discuss quite a bit even before the movie come out
many fearing no pun intended that taimi have lo
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.04 0.67 0.5 0.17
it take sam taimi to bring fun back to the horror genre and ism so
glad he did in a sea of torture porn and found footages garbagey this
be a rare jewel that make you realize what youve be miss a a horror
fan if youre into samas other works you will
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 8.19 0.42 0.43 -0.01
seeing the trailer to this movie i expect to go in and have a few
scene that be one that make you jump but i also expect the movie to
have something scary in it that make you think when you leave the
theater if you be look for cheap thrills loud musi
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.55 0.37 0.73 -0.36
i just feel compel to post this because somehow and i canst even begin
to understand how people and even professional critic like this movie
i dont get it i love evil dead and i still dont get it because this
wasnt campy -- it be just bad seemed thro
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.96 0.49 0.54 -0.04
the early trailer for drag me to hell dub it a sick the return to
classic horror and for once at least they be correct sam taimi manage
to incorporate genuine thrill and terror use the old-fashioned format
of surprise misdirection and suggestion as a
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.04 0.47 0.39 0.08
southbound doe three thing well first it have some genuinely new story
to tell thats not typical for horror where the same few story be
iterate upon repeatedly second it have fascinate character that be
bring to vivid life with remarkably few brush s
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.62 0.77 0.32 0.45
checked southbound out at the midnight madness screen at tiff 2015 and
it be a blast a throwback to the horror-anthology style of the 80 but
with a fresh twist on the wraparound the device in which each segment
flow into the next be unique and add a
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.3 0.39 0.42 -0.03
or at little a really cool version of hell several story connect
together to create one big vicious cycle of a horror story about the
misfortune of a few people to end up on the wrong side of the dessert
its a anthology that remind me of the twilight
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.55 0.7 0.27 0.43
this be one of the much surprise find in recent years it absolutely
have no right whatsoever to be a entertain a it is if you be a horror
fan you be in for a treat a it solidly check off every box one can
imagine its vary yet interlock tale serve up
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.71 0.3 0.32 -0.02
first off the downsides some part of the movie seem a little draw out
the film be two hours and at certain times you can feel that its far-
fetched and i can imagine some people roll their eye at the storyline
and there will be some people walk out sa
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.98 0.52 0.32 0.2
ism not sure what the original comment leaver see last night but it
certainly wasnt silent hill see a critic screen last night and must
say i be highly impressed as a fan of the games and anything relate to
them my faith have be firmly establish in g
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.72 0.66 0.41 0.25
you have to approach any movie adaptation of a video game with extreme
trepidation think of the other corker weave all catch on tv in the
past super mario bros mortal combat resident evil stinkers one and all
doom be vapid but at little get close to
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.64 0.48 0.38 0.1
horror try psychological triller and you may be close to understand
why be it that i find silent hill such a amaze piece of work with that
in mind the reason why silent hill work for me be because it have a
story to tell granted some of us be already
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.33 0.9 0.33 0.57
for everyone who have see or be go to see or be think of see silent
hill do not go into it think oath its go to be a scary movie because
its not suppose to be its for intelligent drama base crowd who like
good visuals story line acting and mystery th
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.88 0.51 0.26 0.25
never post anything here before but after watch normi i just feel that
i have to write down my thought about it firstly do not compare this
to blair witch this movie deserve far well than that simply put normi
be probably one of the well horror movie
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.87 0.37 0.27 0.09
note check me out a the tasian movie enthusiast on youtube where i
review ton of asian movies anyone familiar with horror film know that
much of them be not scary at all some people enjoy gorefests with
subpar story line and character development i p
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.34 0.46 0.46 -0.01
ok so i watch this at am with all the light off and my headphone on
and all alone in my apartments and i have to say i damn near soil
myself towards the end on many occasion i find myself hold on to the
edge of my sofa its that scary and believe me i
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.41 0.37 0.29 0.08
suffice to say i have never see a film quite like noroi it be perhaps
the creepy film i have ever watched note that i say creepy not scary
there be nothing that will make you jump in this movie but there be a
level of terror and suspense you ll be ha
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.58 0.53 0.33 0.2
the babadook isnt for the mainstream crowd if youre look for jump
scare and scary monster you wont find any here the babadook be a movie
that tap into the basal emotion of fear it portray the truly terrify
thing in life grief loneliness and despair n
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.56 0.5 0.52 -0.03
never write a review before havent feel the need but after see the
star review of this filmi just feel compelled firstly what this isai
would say a cross between the shining and we need to talk about kevin
this film be desperately sad a woman who be
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.52 0.6 0.4 0.19
at of glanced the babadook may sound like a tale that warn people a to
not let child put creepy story up into their heads it may also a be
like one of that old horror movie with child be influence a by the
ghost the titular monster seem to have the p
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.25 0.85 0.24 0.61
youve hear of feel-good films good this be not one its creepy and
disturb pretty good all the way a good old horror fantasy with a nod
to the psychological canniness of nightmare on elm street but much
much economical in term of special effects cast
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.39 0.53 0.42 0.1
i see this film on copenhagen pix yesterday the movie be compare to
the orphanage and even though i like that film i be a bite in doubt if
i should go for it because i be not in the mood for a heavy emotional
mother and son horror-drama but its every
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.57 0.37 0.36 0.01
while do some research before review 1408 i be shock to discover that
this be the of time since 2004 riding the bullet that a film base on a
stephen king story have get the big screen treatment 1408 mark
somewhat of a comeback to the silver screen fo
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.92 0.42 0.33 0.09
ive never see a horror film quite like 1408--can you even call this
film a horror well its not the horror movie were use to see in this
day and age the film that be suppose to scare us nowadays be make from
the same recycle junk weave be see for year
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.43 0.32 0.11
if your horror movie taste run little towards chainsaw-wielding maniac
and much towards things-that-go-bump-in-the-night then this be the
movie for you based on a short story by the great stephen king 1408 be
one of the genuine movie sleeper of summe
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.4 0.29 0.31 -0.02
just when you think it be safe to check into a new york city hotel
along come mikael hafstrom chill 1408 not since norman bates terrorize
guest at his motel have a pay customer receive such treatment during a
nights lodgings although somewhat much ce
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.86 0.7 0.39 0.31
please note that this review refer to the theatrical version and not
the directors cut dvd release which feature a completely different
ending mike evslin be a cynic he be the author of book that detail and
debunk popular ghost story and haunt hot-sp
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.76 0.41 0.3 0.11
this film be very notable to me for be the of a that i be aware of a
horror film to come out of a middle eastern islamic country for this
reason alone under the shadow be a interest movie horror film
generally work well when there be a sense of myste
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.5 0.44 0.36 0.08
i have be follow the recent festival news regard under the shadow and
shortly after it premiere at the sundance film festival it be promptly
acquire by netflix the fact that netflix snag it right away from other
major distributor should be a real ind
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.72 0.56 0.33 0.22
i see this at the phoenix film festival id say this be tie for my
favourite horror movie from that festival with eyes of my mother also
amazing ghost movie be really the only horror film that stand of
chance of scare me this days there be a few time
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.76 0.28 0.29 -0.01
this be a film about war and its atrocities the primary goal of the
film be obviously not to be a horror film during the iran-iraq war and
especially after saddam missile land in many part of iran many be
affect psychologically children who start scr
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.86 0.47 0.31 0.16
under the shadow be such a wonderful surprise for me i have already
read some review and everybody be speechless about it i didnt really
expect something that good when i start watch film take place in iran
somewhere in the 80 when the iran-iraq war
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.31 0.5 0.39 0.11
why isnt this available in the us dont know how to describe this with
out make it sound like something its not but i have to say that this
be one of the creepy and much disturb film ive see in quite some time
its not perfect even if i give it a out o
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.2 0.33 0.4 -0.07
this movie be very touching in fact almost painfully so i would
recommend it to anyone in the mood to engage in a thought-provoking
narrative about the human condition have to admit that when i of see
this film i do not expect it to be what it is the
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.55 0.35 0.38 -0.03
sorry for the hyperbole topic but i mean it i be a horror movie
fanatic and i have become desensitize to cheap scare with loud noise
and murderer run around with axes i be very picky and only like one
out of every few dozen horror movie i watch i als
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.71 0.32 0.44 -0.12
kiyoshi kurosawa kairo have to be one of the much mesmerize
supernatural horror film i have ever seen the film be load with
extremely dark and brood atmosphere and some scene actually scare
menthe photography by junichiro hayashi be truly beautiful a
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.58 0.7 0.49 0.21
ism a big horror fan and this be the well little horror yarn ive see
in ages well acted with some recognisable faces brian cox be great a
the small town coroner that lead the autopsy on the titular body in
one scene he even manage to give me a sad lu
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.62 0.66 0.47 0.19
and a simply wonderful throwback to the 1970s when horror was well
horror -- and not base on gimmick like found footages but rather
genuine scene-setting story building audience engagement and full-tilt
creepiness probably destine to become a classic
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.72 0.19 0.3 -0.12
while investigate the murder of a family sheriff sheldon mcelhatton
and his team be puzzle with the discovery of the body of a strange
bury in the basement that doe not fit to the crime scene he bring the
corpse of the beautiful jane doe olwen kellys
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.94 0.52 0.37 0.16
i see this movie at night with my wife not know what to expect i be a
huge horror fan from old school nightmare on elm street to blood and
gore film like dead alive include a few foreign film like i see the
devil but in no way be i prepare for this a
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.9 0.59 0.34 0.25
from director andra øvredal trollhunter come one of the well horror
movie of 2016 the autopsy of jane does suspenseful clever and creepy
from start to finish this horror movie follow the story of father and
son played by brain cox and emile hirsch bo
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.73 0.47 0.34 0.13
baskin come from a country for which horror genre outing be quite
atypical to see despite not have much to compare with locally it be
clearly a passionate and well-made horror even when examine against
country that contribute to the genre much much f
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.75 0.53 0.37 0.15
came across this title while browse on read very positive review by
regular poster in hcb fortunately get a pirate dvd with subtitle for
of rupees the movie start very promising cops chat dine in some very
creepy motel the atmosphere be creepy the ch
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.22 0.48 0.41 0.07
id have my eye on this movie for over a years constantly check to see
if when and where it be get released the of trailer for it immediately
hook me and i need to see this movie now i finally have and i can
safely say the wait be worth it with what l
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.53 0.36 0.42 -0.06
if you be tire of modern horror film fill with cheap and force jump
scare construct in a way of mute down the sound and then throw a
explosion of loud noise in your face to try to scare you and be rather
interest in watch a film fill with tension dre
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.84 0.34 0.41 -0.07
the market for international artsy horror flick have be surprisingly
lucrative in the past few years with acclaim film like the babadook
and goodnight mommy and even the american production it follows and
the witch but probably the much imaginative a
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.74 0.47 0.46 0.01
kokuhaku for confessions be a real winner from japan just like the
title the movie be about the confessions of a group of people after
each confession a new detail be add into the story until it become a
complete story at the end feel empty very dist
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.89 0.43 0.31 0.11
confessions be one of the much savage brutal and poignant revenge
story i have ever seen it doesnt start off all that great but it by
the end i be in awe the movie begin in a japanese classroom on the
final day of class before the spring break and th
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.73 0.39 0.3 0.09
lionel shrivers novel we need to talk about kevin go place where few
novelist have dare to ventured she do a great job that entire stretch
where kevin go crazy be skillfully write and ms shriver deserve the
orange prize however director nakashima hav
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.89 0.45 0.28 0.17
a surprise box office hit in japan confessions make its way to the
toronto international film festival and also choose a japans entry to
the oscars however its a very japanese movie i can only recommend to
viewer who have see over of japanese film or
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.59 0.71 0.24 0.46
a good review doesnt always have to be long and there be really just a
few word need to describe this movie stunningly beautiful cinography
dark disturbing and yet great that be said dont diva into this thing
if you plan on watch a good fast revenge
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.29 0.31 0.34 -0.03
back in 2009 director sean byrne bring the lovely ones to the toronto
international film festival tiff the film win the midnight madness
peoples choice award but it somehow never really catch on amongst
horror film enthusiasts i myself must admit tha
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.81 1.36 0.38 0.98
when i of see the description of this movie i think yeah just another
possession movie yawn probably go to be a waste of my evening but then
i take a look at how many positive review it be get and decide to give
it a go and to no disappointment this
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.39 0.45 0.28 0.18
wow a great horror movie i be slightly put off by the cover art of
this movie and almost miss this one think it be a slasher film it be
not i be not a fan of simple gore slasher movie and i visually
categorize this a something akin to devils rejects
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.99 0.68 0.46 0.22
the big problem modern horror film seem to have be make the audience
care about their characters generally they be so cliché bland dumb and
unrealistic that within the of minute of the film no one care any long
about their fate so when i see early on
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.27 0.74 0.29 0.44
this movie be tense disturbing with some heavy imagery gripping and
have great acting its not so much scary a its disturb different things
the way i see it watching it be a intense experienced theres some lack
of imagination in the underlie plot in p
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.58 0.56 0.44 0.12
ism floor by the poor reception this movie got its a love throwback to
horror classic with modern polish clearly influence by hp lovecraft
and body horror classic like hellraiser and the things if you like
classic horror i horror before cgi and jump
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.19 0.64 0.35 0.29
i be shocked see too many 80s feel horror or so called which be either
poorly film or the act be painful just hear about this and think not
another but happy to say this be very good its not go to win any
oscars for acting the script be not shakespea
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.28 0.45 0.51 -0.06
first off ive see some negative review on here that have truly
surprise me after grow up a a fan of horror during that wonderful 80
period i can honestly say the void feel a comfortable a it doe
uncomfortable especially if youre a fan of that movie o
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.46 0.46 0.32 0.14
i attend a screen of the void at the nevermore film festival in
durhams ncc it be a remarkable throwback to classic john carpenter-
style films i hesitate to list too many detail about it since the feel
of the film be very much like a nightmare that m
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.51 0.39 0.47 -0.08
i step into this flick without know what it be all about so it be a
big surprise that i find this one a gems can i say something negative
about the void well not maybe for some the story will be a void
because its all about weird things supernatural
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.69 0.55 0.39 0.16
this movie make you realize why so many other movie fail to be scary
not enough psychological elements what this movie doe right be that it
skip the goree and blood and over-the-top overact craze lunatic that
seem the norm in horror movies i see this
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.43 0.41 0.02
i of watch this movie with a couple of friends to be honest i be
expect a teenage slasher flick i be prove wrong the film circle around
a curse videotape that cause its viewer to die in seven days
investigative journalists rachel keller begin to unco
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.37 0.71 0.33 0.39
before i see the ring i use to think of horror movie a something about
a supernatural sometimes not supernatural force that gobble up people
in bizarre series of death usually accompany by blood and goree maybe
i ought to blame it on my own selection
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.77 0.49 0.43 0.06
the year be 1939 the spanish civil war be near its bloody end ten year
old carlos the orphan son of a slay republican be leave by his tutor
at a isolate orphanage for boys the school be destitute barely able to
provide enough food for the children bu
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.99 0.27 0.25 0.02
a beautiful atmospheric story about a haunt orphanage to date i think
its del torous much complete film combine his trademark visual with a
very touch story about war death guilt and grief and ultimately
homelike panes labyrinth the story be set agai
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.38 0.29 0.3 -0.0
the devils backbone el espinazo del diablo aspect ratio 85 1sound
format dolby digitalduring the spanish civil war a young orphan boy
fernando twelve be send to a isolate board school where he encounter
the ghost of a murder child junior valverde who
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.87 0.4 0.46 -0.07
the devils backbone be a spanish language supernatural thriller a it
consist of a haunt school for orphan boys a now in a american film
that would be all you get a ghost run around scare the young
inhabitant of the gloomy building a thats it and it w
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.3 0.38 0.3 0.08
great care have be take with the art direction you be immediately
transport to 1939 with francois army about to descend on the spanish
countryside even the crumble building of the boys school the character
inhabit play a role the actor be superb and
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.84 0.45 0.39 0.06
sleep tight be both a intense intrigue and a excite portrait of subdue
madness ¨mientras duermes¨ the official english title be sleep tight
but the correct translation be while you sleep which to me be far much
creepy live up to jame balaguero reputa
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.03 0.45 0.3 0.15
i have no idea what this film be about before i see it and boy be i
pleasantly surprised from the same director a rec and also set in a
apartment block this spanish gem have a great cast especially the lead
luis toward who play his part superbly fill
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.34 0.44 0.35 0.09
firstly i feel it be important to state that though the market say
everywhere from the director of recur and i understand why this be
nothing like rec i personally think that rec be a excellent film and
despite be a addition to a over exhaust genre a
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.37 0.59 0.39 0.2
i have see erect some month ago and i just wasnt sure i means how can
you tell if there be a visionary director or some random guy who just
get lucky rec wasnt so demand by concept and it all work out fine so i
have to check another one by and this t
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.57 0.49 0.54 -0.05
as a horror fan i like watch at little one horror film every day when
i get the chance and recently ive notice a certain pattern in thriller
horror films theyre mostly thrillers with some touch of horror and not
basic horror mientras duermes sleep ti
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.61 0.42 0.38 0.05
although the word grudge doesnt quite fit the bill a part of the title
of a horror film -- one think the curse would have be much appropriate
but such be the curses of translation -- ju on hold up extremely good
a a horror film built upon a notion th
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.45 0.36 0.08
rika wishing megumi okina work for a social service agency in tokyo
although sheds never see any clients when a new case come in and
theyre short on staff her boss have to send her out her of case be a
doozy when she enter the clients home no one see
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.75 0.51 0.44 0.08
ju-on the grudge be not a easy movie to find in america for at little
it wasnt when i of write this review and after hear it hype to the
heaven in magazine such a fangoria and rue morgues and by word of
mouth a well i know i have to see it i finally
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.2 0.52 0.48 0.04
if you only love american cinema and hate everything not english you
ll hate it if watch ring make you feel that you somehow know a lot
about foreign movies you ll just sit and compare the two a which be
too bad because theyre both great in their own
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.93 0.42 0.44 -0.02
unlike many of the reviews below ism not go to take cheap shot at that
who may not like ju-on will say however that any fan of supernatural
horror owe it to themselves to decide on this one for themselves
wholeheartedly agree with that who find this
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.12 0.44 0.38 0.05
sometimes i cannot understand the dissonance between me and a great
numb of movie reviewer on this page i have not see any trailer of the
sort because i didnt want to preview part that may spoil he movie with
that said ism so glad i watch this film t
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.6 0.64 0.31 0.33
ism not go to give a review of this film ill leave that to other who
can argue whether it be worth watch or not for me i feel it be one of
the well thriller with a horror bend that i have see in a long while
but herems the things i dont really like h
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.41 0.56 0.34 0.22
i couldnt believe my eye when i see the score for this film it doesnt
do it any justice and some of the review ive read here dont make valid
point in my opinion so i feel i owe this film my own review first of
all the tension man this thing have a ki
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.7 1.15 0.59 0.56
ive read a few review here both for and against the film ism a die
hard thriller fan and i think that this film be very good done it be
slow- but why be that a bad thing ism not sure it build to a great
ending a my only me be the actress who play ede
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.1 0.35 0.42 -0.07
i be intrigue by the invitation due to the seriously glass of red wine
on the posters it look at once mature and allure but also incredibly
dark i convince my brother to watch it with me one night and this be
our story the invitation set itself up a
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.69 0.4 0.31 0.09
hush be a lot like the strangers except instead of stranger plural its
only one man and instead of a husband and wife be terrorize its a deaf
and mute recluses its very tense and cleverly write bar a few clich
trope that come with this kind of movie
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.57 0.47 0.43 0.03
great idea that unfortunately fall short of what i expected both lead
character be make to purposefully fall short in their ability to
outsmart one another by simply be mediocre at be the killer and the
obvious survivor so youre not so much glue in a
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.56 0.49 0.21 0.28
hush be a fast-paced modern slasher flick with a twist take on the
genre well the twist here be that the lead protagonist be deaf and
mute from her teen and the director-writer combo of mike flanagan and
kate siegel who also happen to be husband-wife
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.37 0.34 0.27 0.07
hush focus on maddie a deaf-mute writer live alone in a remote house
where she be accost one even by a psychopath hellbent on terrorize and
murder her and direct by mike flanagan who many have cite a a
contemporary horror maestros hush be a straightf
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.72 0.61 0.45 0.16
maybe it say something about me that i be able to figure out that she
be deaf before the movie tell me over and over again while that may
seem insignificant at first it set the stage for a overly predictable
movie to come not even come in at of minut
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.27 0.55 0.43 0.12
what be the ingredient of good horror a small contain location and
group of people a situation that force and magnify events a terrify
protagonists characters you care about authenticity this movie have
all of this in spades the location be a tiny se
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.65 0.46 0.32 0.14
as night begin to fall for a thirty day spell over a small alaskan
outpost village a motley crow of vampire come waltz in for a feast in
david slades adaptation of the graphic novel 30 days of night ever
since interview with the vampires vampire have
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.2 0.54 0.31 0.24
i have the opportunity to see this film tonight at a free screen at a
theater in chelsea ny with the director david spade melissa george and
josh hartnett all present at the screen and i walk in expect another
run of the mill vampire movie and walk a
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.57 0.47 0.37 0.1
30 days of night be easily one of the well horror movie ive see in a
very long time mostly because everyone involve seem to know exactly
what it take to make a decent horror movie its not obscene amount of
gore or monster jump out at the camera that
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.26 0.42 0.26 0.16
i didnt think i can get exit by watch a vampire movie ever again all
the great have make fine use of the mythology francis ford coppola
neil jordan steven norrington guillermo del toro and let not forget
one of the great ff we murnau of day of night
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.74 0.4 0.38 0.03
i really enjoy the of film the character be real they make
understandable decision in stressful situations it be a fresh take on
a very clich general zombie films the a film unfortunately have none
of that unrealistic character make the same irration
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.17 0.39 0.38 0.01
of weeks later have to be the much disappoint sequel ive ever seen
this review will contain spoilers however its nothing that the
filmmakers themselves havent spoil to start with lets start with the
much fundamental element of film-making camera work
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.57 0.4 0.35 0.05
this film sucks the director use only one shoot style shaky-cam the
director somehow end up read this review shaky cam shoot doe not equal
good unique or even a innovative shoot style its use by people who
need to cover up their lack of a story with
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.85 0.49 0.33 0.16
ism open to believe the us army be stupid- but that stupid how do kid
get out of the safe zone and manage to steal a moped ride through
london hang out at their house and meet their mother before the army
can catch up with them the purpose of putt th
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.14 0.35 0.38 -0.03
having see of days later i think i be prepare for this but i be not
somewhere near the begin of the film be a scene that go from zero to
psycho in about second flat the begin of 2004 dawn of the dead also
have a wildly chaotic kick-off scene but unli
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.59 0.42 0.34 0.08
it be difficult to describe the movie actually to describe what be
attractive andor excite about the movie for me you can say that it
begin much than slow but will build up and be very disturb toward the
end ism not gonna give anything away from the
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.79 0.45 0.29 0.15
some movie ask of your time like other seldom dare to try these be the
much rewarding in my opinion because have allow ourselves to be so
absorb and entrench in their sagas our empathic connection with their
character can almost make us feel like we
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.83 0.46 0.45 0.0
as manipulative a a lot of hollywood fodder bedevilled should be a
sinker that it isnt be testament to its beauty commit performance and
a fine feel for harshness though overlong its powerful and
occasionally savage stuff we follow hae-won return to
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.74 0.46 0.27 0.19
bedevilled be another and once again brilliant tale of revenge come
from south korea which be in the vein of already now legendary
masterpiece such a oldboy and i see the devil what distinguish this
movie from the other one and justify itself to meri
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.66 0.52 0.24 0.28
first thing first i really dont know whether the people from the west
who arent that familiar with asian culture that too the rural culture
would really relate good to this movie but i think its one of the much
interest movie ive ever seen to be fran
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.81 0.56 0.37 0.18
if you be go to make a horror suspense gore flick that want to be take
seriously like this one obviously does of of all you need believable
character that the viewer can take seriously unfortunately of l
intérieur set a new standard for ridiculous an
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.37 0.33 0.37 -0.05
the only shock thing about this slasher be its rate obviously some
people be really easy to please shock first off if the event take
place on christmas totally irrelevant for the plot by the way why be
all the foliage green was in late-summer green a
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.84 0.35 0.38 -0.03
i can only blame myself for have watch this ludicrous film to the end
after all it be on cable and all i have to do be change the channels
but i didnt and now ill have hideous image burn into my memory for a
long time to come the plot be so unbelieva
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.21 0.48 0.4 0.07
i have to say ism a pretty big horror buff and its be quite a long
time since i see a film a offensive and irritatingly stupid a inside
the story concern a young pregnant woman who be menace in her home by
another woman who want to steal her baby one
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.32 0.56 0.41 0.14
how rare be it that we get a good monster movie the 1950 be fill with
monster movie that a cheesy a they were they be also a ton of fun
victor salva be a fan of that movie and it show when he write jeepers
creepers a fun horror film with a great new
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.26 0.57 0.38 0.18
victor salva auteur turn in b-horrorland be well than most mainly
because he be so much much interest a storyteller than many of his
genre contemporaries a jeepers have several thing go for it suspense
develope characters above-average acting and vis
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.37 0.25 0.29 -0.04
every once in a while a new horror film come along that reinvent the
genre jaws halloween the exorcist a nightmare on elm street these film
not only prove to be entertaining but they add something new and
visionary to a market that seem to thrive mos
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.26 0.41 0.51 -0.1
jeepers creepers have much in common with 1950 ec horror comic book
than any horror movie that have be make in the past twenty years a
that fact isnt bad its great a there be a lot of horror plot idea out
there that have never see decent expression a
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.87 0.46 0.35 0.12
i must say that abia be one of the good thai horror movie directors
from shutters body of and iron lady prove that they all can come up
with suspenseful tale together there be four story and each of them be
of minutes the four story be pretty engross
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.75 0.58 0.54 0.04
there be no such thing a asian horror even though there be plenty of
common elements each country have its own way of deal with horror
films especially stylistically abia be a new anthology project give
room to four thai talents the four story be eve
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.58 0.37 0.42 -0.05
so ism go to write a little mini review for each short a they show and
a i see them and then do a review of the movie a a whole after story
of happiness effective little ghost story use testing a a medium where
a recently decease ghost talk to a home
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.81 0.77 0.41 0.35
its be a while since ive see a thai horror i really liked or every
maybe since the much memorable be shutter and i wasnt a take with it a
much people be though i want to give it a a viewing 4bia be a
anthology of four horror story of about a half hou
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.87 0.54 0.42 0.11
i have the pleasure of watch this thai anthology tonight separate
story without a wraparound i be pleasantly surprised the of story be
about a woman and her cell phone and all of a sudden someone message
her out of the blue she be kind of lonely so s
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.1 0.5 0.33 0.17
phobia be was be predecessor divide into short segments direct by a
all star team of thai movie makers that be maker of movie of the scary
kind its rather unfair to write a review of the movie a a whole so
instead ill write a bite about the individua
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.21 0.67 0.34 0.33
i admit this movie be excellent it get much scare and much gory the
movie have stories novice ward backpackers salvage in the end i like
of them novices be gory ward be scary backpackers be thrilling salvage
be scary yet gory and in the end be funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.79 0.31 0.38 -0.06
an anthology be the sum of its parts so how doe this particular set
stack up novice a young man with a trouble past be leave to live among
monks where karma catch up to him interesting idea but lack in
execution and a bite bore until the end ward an
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.15 0.52 0.44 0.08
i quite like phobia so i be quite disappoint that this sequel with
five segment by different directors doesnt come close to match the
first what i especially like about phobia be that three out of the
four story have good suspense for horror with rel
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.75 0.33 0.47 -0.14
in the plot summary it describe the last story to be scary but it be
actually very funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.36 0.42 0.33 0.09
well then what do we have here a modern horror film place in the 70
80s era i already like ti west thinking with much horror film today be
god damn awful it refresh to see one which pay homage to the classic
while try to be unique from start to finis
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.48 0.31 0.37 -0.06
in the house of the devil a young co-ed jocelin donahue hard-up for
money to pay the rend on her new place off campus answer a ad for a
babysitting job way out in the boonies only to be plunge headlong into
a bizarre devil-worshipping cult in search
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.73 0.49 0.37 0.13
ti west who direct the underrate cabin fever of spring fever be a name
to watch out for the house of the devil although not fantastic prove
that west have a excellent eye for visuals detail and create suspense
this film feel a though it have come dir
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.6 0.47 0.39 0.08
i hear some good thing about this film before viewing and then on this
site hear some bad things ive come to believe that listen to other
doesnt always help its all about opinion and experienced and in my
opinion this experience be worth itai wont ge
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.35 0.29 0.06
contrary to common belief this film actually portray three consecutive
era of hungarian historical reality use visually shock symbolisms the
film start with the final day of fascism where one oppressive extreme
give birth to a other directly opposite
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.78 0.28 0.24 0.04
georgy palsies a feature taxidermic be definitely a milestone in
hungarian film-making it be a truly astonish experience and i would
thoroughly recommend it to anyone want to broaden their taste for
cinema i find the film to be a deep black comedy wi
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.35 0.43 0.3 0.13
györgy pálfi a feature length movie be taxidermia which be about three
generation of a family and all of them have something very peculiar
about them the of one be a horny officer his son be a very big sport-
eater and his job be very important of him
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.23 0.5 0.37 0.13
i think this be a true original and it make me break out in a sweat at
certain points not many film have a physical effect on their audience
there be some astonish moment and scene transition that be literally
breathtaking i didnt believe the directo
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.64 0.62 0.32 0.3
a soldier with a rich sexual fantasy and lot of time on his hand for
well said with his hands an obese man compete in eat contests a
taxidermists what do they have in common well quite simply put part of
their genes they are respectively the grandfat
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.57 0.72 0.23 0.49
i do not know anything about mike when i see gout i read about in a
magazine randomly and it sound like something i have to see then i
wait a few week until it be in the theatre here i tell my fellow david
lynch fan officemate they here be this movie
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.68 0.37 0.3 0.07
mike be probably one of only a dozen director to make 6-8 movie a
years yet he be the only one to keep not only a consistent quality at
this rate but also to keep surprise his fans gozu be a case in point
yakuza meet turn ugly when ozaki in a paranoi
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.91 0.49 0.37 0.12
this be perhaps the of movie ive ever see thats have me consistently
laugh out loud and then nearly creep me out to the point of passing my
pants dont get me wrong this movie wont have you shriek because of
frights but it will quietly nestle itself i
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.0 0.37 0.36 0.01
despite all the nice thing that people have to say about this film the
plot twist in it make it a utter waste of time spoilers follow
although i doubt i can spoil the movie any much than the director
already did although i doubt it make a difference
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.6 0.48 0.27 0.21
and so will faces slash throats dismember hands decapitate heads backs
arms feet stomachs chests in fact just about everything that can bleed
doe bleed in this movie and doe so copiously high tension aka
switchblade romance much well title be the wel
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.89 0.49 0.35 0.14
my god without a doubt i have not be affect by a movie this much since
watch the original texas chainsaw massacre when i be good under age
and the movie be certainly much than dodgy i couldnt sleep after watch
that and be very uneasy multiply a gazil
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.8 0.51 0.28 0.23
i just canst get enough of this film this year alone i have already
watch it time and the year isnt even do yet it work on so many level
and be so much fun the way the convention of the horror genre be turn
upside down while at the same time the stor
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.05 0.56 0.34 0.22
if you be a fan of art drama or you simply dont like the horror genre
i can understand if you hate this but for every true fan of horror
with at little a basic knowledge of at little cult horror through the
history of the genre this should be a real
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.46 0.28 0.18
this film be a horror movie that be poke fun at horror movie and movie
in general so if youre look for a film that you can cradle a scare
lady-friend to this be not the one to anyone who have watch southpark
britney spears episode you will know the p
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.76 0.51 0.35 0.16
the cabin in the woods be a spin on the horror genre from writers joss
when and drew goddard without give away the spoilerish part of the
plot ill simply say that it involve friend who fit the horror movie
stereotype jock slut party-guy nerd virgin w
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.89 0.58 0.3 0.28
ism a big horror fan i have be since i be a young child ive never see
anything like this movie before its a combination of everything its
take everything from every other horror movie and throw it all into
this movie but what be really impressive be
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.51 0.36 0.14
even the website of this movie give me the creeps and it turn out to
be one of the scary movie ive see in a while a we follow the touch
story of a young hong kong girl blind from her early years who undergo
a corneum transplant after soften us up wit
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.99 0.62 0.35 0.27
of all the horror movie genre in existence ghost story have always be
my personal favorites the hauntings ju-on the innocents ring the
shining all nice moody creepy ghost tales the eye now find itself at
the top of my list along with the aforemention
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.74 0.45 0.3 0.15
this be not the of time that a movie where the main character get
corneal transplant which not only make her see but give her paranormal
capability have be done a good reference be blink where madeleine
stowe be the receiver of the creepy transplants
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.62 0.56 0.35 0.21
ive be to thousand of movie in my lifetime and own hundred of video
and dvds so i be a fan but not a bona fide film critics a this be my
of online review my wife and i see the original dawn of the dead of
year ago at a midnight show and leave wire en
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.46 0.46 0.27 0.18
if you havent guess already i canst sing the praise of this movie
enough at last a zombie flick that be two very important things not a
b-movie of an absolutely crack a-movie just get back from the cinema
still amaze with the quality of this film i d
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.08 0.43 0.35 0.07
shortly after a numb of strange case begin to appear at the hospital
where ana sarah polled works a bizarre zombie epidemic hit the
milwaukee wisconsin area full force sarah escape her immediate threat
and meet a numb of other human who decide to see
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.56 0.57 0.3 0.27
i go into this movie completely excited and i wasnt even really
disappoint either the act be very good and i actually love how they
didnt follow the exact storyline they take the basic of the original
dawn of the dead and make it much contemporary i
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.86 0.44 0.35 0.09
the of thing you need to know before you watch ginger snaps be thats a
real horror movie that mean genuinely unsettlings disturbing makes-
your-skin-crawl kind of stuff and youre plunge right into this from
the start the open scene involve a mother an
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.39 0.75 0.25 0.5
ism so happy that i watch this brilliant gem of a horror movie two day
again that politically correct time where idiotic mtv-oriented teen
slasher and comedy be make in the sit be really good to see such
original film like ginger snaps why because it
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.73 0.48 0.32 0.15
brigitte now have the virus in her blood that destroy her sister
ginger in the of film so to prevent herself from change into the beast
she inject monksblood into her system but after a overdose she wake up
in a rehabilitation clinics which now she h
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.1 0.68 0.36 0.32
you know tis such a shame that neither of this film go wide release
sure they need a little touch up in some place but this film be
definite quality material a breathe of fresh air in the horror film
which be recreate itself once again a a truly impo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.98 0.8 0.3 0.51
this be the only sequel i have see that can be consider a improvement
on its original i m a great fan of ginger snaps and be really excite
about this film when i of hear about it unfortunately when it arrive
at the cinema i be to young to see it ism
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.32 0.47 0.48 -0.01
ginger snaps of unleashed actors emily perkins tatiana maslany eric
johnson writers megan martin director brett sullivan the a part of the
ginger snaps trilogy pick up after the of one brigitte have infect
herself with gingers blood who have turn int
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.94 0.77 0.36 0.41
this be a enjoyable and surprisingly competent dev follow up to cult a
hit ginger snaps the of film be dark entertain and witty and a have a
good amount of tension and scares the sequel be good fun but a lack
the wit of the original and a certain amo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.48 0.48 0.33 0.15
i have see other film by jan svankmajer so i have high expectation
when i go to see this late release i be not disappointed this be
possibly svankmajers much accessible feature film a it follow a simple
linear narrative on a parallel to a a fairytale
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.11 0.64 0.33 0.31
i have the good fortune to see this at a special show in washington
introduce by the director a i just want to say that i find it
fascinating very funny and pretty unnerve at moments a friends of mine
have recommend svankmajer animate works which i h
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.01 0.49 0.34 0.14
the film be base on czech fairy tale otesánek greedy guts it be a
story of a love but childless couple karel and ozena whose big dream
be to have a baby to make his wife smile karel dig up a tree root and
carve it to look like a human baby so overwhe
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.48 0.55 0.15 0.4
i have never hear of jan svankmajer before see this after record it at
3o clock in the morning on channel four and i certainly wasnt
dissapointed this film a like the rest of svankmajer work be truly
original and unique its a must see for anyone whoa
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.44 0.53 0.35 0.18
----le pace des loups--- or-- --the brotherhood of the wolf--- or
-------el facto los lobos---- ---title in french english and spanish
respectively is simon one of the most original movies in modern cinema
le pace des loups be a very entertain movie
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.41 0.32 0.09
in 1765 something be stalk the mountain of south-western france a
beast that pounce on human and animal with terrible ferocity indeed
they beast become so notorious that the king of france dispatch envoy
to find out what be happen and to kill the cre
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.79 0.58 0.29 0.3
from what i see in the preview this look like a interest movie then i
hear from some friend that it be pretty good so some buddy of mine and
myself go and see it a i have to say that i loved this movie a i know
it be go to be subtitled and i know it
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.91 0.49 0.32 0.18
the premise of shadow of a vampires be simple what if max schreck be
really a vampire pose a a actor play a vampire in the murnau
masterpiece nosferatu well the result be both slightly scary and
pretty funny director elias merge and writer steven kat
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.72 0.5 0.3 0.19
every once in a while a movie come along that completely and maybe
consciously defy categorization and shadow of the vampires be a great
example a it be at once a black comedy a horror movie with a unique
setting and a bite sendup of the art and busi
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.52 0.54 0.22 0.32
a fictionalize account of the make of the classic vampire film
nosferatu direct by ff we murnau shadow of the vampires be a interest
yet creepy film but above all its willem defoe magnificent performance
a max schreck that make this film unmissable s
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.0 0.57 0.37 0.2
this movie be a true relief for everyone who think the genre of horror
and mystery be dead and buried it feel good to see that its still
possible to create movie like this even though the plot be rather
simple the movie seem to be very original and i
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.95 0.34 0.32 0.03
i wouldnt have thought that i can watch one much torture horror movie
and be entertain by it the loved ones however may be the last movie of
that subgenre to actually be worthwhile really worthwhile that is much
like wolf creek another australian hor
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.63 0.39 0.29 0.09
the horror genre be in a sad a state a every but its not for lack of
trying the talent be there the fan base be there the possibility be
there the main issue be a lack of common sense on behalf of producer
and distribution companies as with 2009 fabu
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.35 0.45 0.43 0.02
i attend the international premiere of the loved ones at the 2009
toronto international film festival in two words the film be a instant
classic sam taimi step aside this australian carrie flick be perfectly
execute in the hand of first-time feature
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.02 0.42 0.36 0.06
totally surprise by how awesome this was i be expect some campy
shallow high school horror film and instead get real thrills real
scares and real characters canst stress that enough awesome
performance by actor who have character write a real people
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.37 0.35 0.45 -0.11
walk out in film be a dime a dozen bad act terrible script or maybe
the vibe be all off its all part of the hollywood game when people
walk out of raw in paris last year at its of screen it be for none of
this reasons the reason people walk out and t
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.09 0.6 0.45 0.15
i hear the hyper how this film be so horrific that people leave midway
through the film after be so repulsed they be physically ill i go in
with the negative expectation that this be go to be a gore fest
spoilers its not what we have here be a partic
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.51 0.42 0.4 0.01
we have all see the umpteen coming-of-age or sexual awaken story but
when be the last time you see a becoming-a-cannibal story this be one
incredibly muscular piece of filmmakings marry visual poetry with
slow-burn horror into one potent and delectab
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.76 0.37 0.38 -0.01
for her debut feature film writer and director julia ducournau opt for
the particularly taboo subject matt of cannibalisms its a bold and
admirable moved a if theres anything that get audience member up in
arm and storm out of a movie theatre its the
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.73 0.61 0.36 0.25
what a disgust way to spend a hour and a half raw be one of that thing
thats disgust and grotesque but so intrigue that you canst look away
all the act seem good and the character be interest enough the movie
take a bite of time to really pick up and
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.99 0.52 0.29 0.24
the conjuring doesnt waste time in bring the scare in by that i mean
youre pretty much in the thick of it within three minute or so be give
some background via another very notorious haunt incident for what be
to follow the warrens be send on behalf
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.77 0.63 0.3 0.33
the conjuring be a shock horror film it combine every creepy trope you
can think of ghosts dolls music boxes mirrors you name it and it
actually work thank to a genre-savvy director behind the curtains
james wan have prove himself a capable producer
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.13 0.35 0.34 0.01
first the all-important question is the conjuring scary like jump out
of your seat watch through your outstretch finger scary the answer to
that be yes under james wants direction even the much cliched haunted-
house trope and this movie be burst with
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.84 0.48 0.31 0.16
wow wow wow ive never be much of a fan of sequel but the conjuring be
incredible ism never one to jump at everything scary i see in movie a
usually youve see it all before lets be honest nothing really scare
you much when your not a teenager anymore
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.79 0.49 0.3 0.19
the conjuring of be a excellent example of what much sequel should
aspire to be it be a perfectly execute haunt movie from james wan that
dive deep below the surface to explore theme of vision belief and
faith the family drama be still right at the c
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.31 1.23 0.41 0.82
i have fun watch red eyes its not a masterpiece but its good direct
and structured gillian murphy and rachel mcadams be perfect in the
role yes its the same old story with a different set but wes craven
give it a good pace at little not another screa
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.51 0.58 0.56 0.02
red eyes be all about lisa mcadams who be simply try to get home
during a bad weather snarl at the airport and find herself stick on a
red-eye and fly headlong into a suspense drama a busy fun little no
brainerd red eyes begin like a romcom morph int
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.1 0.84 0.41 0.43
what i like well in this film be that like the film of hitchcock it be
a thriller that doe not take itself too seriously hitchcock understand
that people go the the movie to have a good time something that
hollywood seem to have forget in recent year
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.8 0.45 0.31 0.14
ive see thousand of movie and have never write a review but the red
eye i witness be so at odd with the glow tribute post here that ism
compel to offer my two cent in protest- and vote the low score
possible just to bring the average close to reality
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.46 0.27 0.19
red eye be not the kind of movie thats go to win the pale door but wes
craven have never be that kind of director anyway and his brand be a
good indication of what a film-goer can expect the fact that red eye
be a tight little undemanding package at
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.83 0.34 0.25 0.09
saw this on a rent dvds been on my radar for a long time a the plot be
about a couple and their infant baby who move into the backwoods of
ireland a the male joseph male who be a expert in microbiology have
come to inspect the tree for clearance he b
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.59 0.49 0.45 0.03
the premise of the hallowd be nothing new a family in a isolate house
in the woods strange thing start to happen is there a logical
explanation unfriendly neighbor who want the family away or be there
something supernatural in the forest unoriginal c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.92 0.39 0.36 0.03
pulling from ancient irish fable and mythology the hallowd also know a
the woods take the fairy tale atmosphere and destroy it with
malevolence and forebode darkness tasked with unfortunate
responsibility of go into rural ireland natural landscape br
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.31 0.26 0.4 -0.14
in ireland the botanist adam joseph male move with his wife clare
bojana novakovic and their baby son finn to a remote house in the
backwoods to study the local forest he be warn to leave the place by
his neighbor cold donnelly mcelhatton but adam do
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.11 1.02 0.29 0.73
i feel a if this film need to be praise a it carry out a very good
execution for such a overuse plot you have your typical family stick
in the middle of nowhere creature activity gimmicks fortunately play
out smoothly in the hallowd i feel a if the c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.23 0.9 0.3 0.59
i still have not see the original so go into this hear people say this
not a good i find this mostly excellent the two kid do a great job the
tension be mostly set just right the slow build-up at start be not
remotely tedious the actual gore be just
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.58 0.48 0.25 0.23
as a fan of the 2008 swedish film let the right one in i be originally
very frustrate when i hear the news about the upcoming remake how do
you ameliorate something that be already perfect i ask myself i treat
the remake with hostility and vow to sta
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.52 0.47 0.3 0.17
given the background to this film i must start by say i have neither
read the book it be base on nor see the 2008 swedish original after
watch this masterpiece i intend to do both this be a truly sensational
film when you canst really pin a film down
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.24 0.31 0.19 0.12
i be ashamed to say i have not yet see the original swedish version of
this movie although it be on my list of to does for the very near
future especially after see the hollywood remake which be in one
hyphenate words jaw-dropping the very of frame i
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.75 0.57 0.33 0.24
whether you be a fan of gothic horror or not let me in be good worth a
view and by no mean be it just a scary film it be so much much than
that before i go into the film itself i have to comment that this be a
re-make of a swedish film call let the r
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.4 0.42 0.34 0.08
not for the squeamish but the numb of twists inventive use of
situation use vampire mythology gorgeous visual extremes together with
interest and quirky character make this one of the much stun horror
film ive ever seen it descend into utter madness
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.02 0.45 0.24 0.21
director chan-wook park become famous all over the world with his
vengeance trilogy and even though i like that three film sympathy for
mrs vengeance oldboy and lady vengeance very much it be also pleasant
to see park explore different horizon with t
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.28 0.43 0.34 0.09
now that i have see it it be not what i be expecting at little not
until the very end i read some of the other review before pick up a
use copy of this from amazon and be glad i did having be of introduce
to parks work via oldboy i be curious to how
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.02 0.59 0.48 0.11
talk about get your sock knock off this new amaze movie from park
chan-wook would be my favorite new take on the vampire genre if not
for let the right one in which still remain my fave but this one be
right behind it a catholic priest volunteer for
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.61 0.69 0.41 0.28
i think this be go to be a creepy horror movie with a good tone and
vibe go for it i do like the atmosphere especially the begin few
minutes i think it would be one of that movie with a really creepy
feel to it with some clever element throw in i be
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.88 0.82 0.27 0.55
i be lucky enough to see this at a friend house last night go into it
blind and boy what a nice surprise whilst yes its another haunt house
movie this bring something new to the table with a great climax to the
film that really ramp it up the perform
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.35 0.3 0.39 -0.09
middle age couple grieve the recent loss of their son move into a
remote house and find themselves catch between the evil in the
basement and the nutter from the local town swimming against the tide
i know but i find this really poor it open with nic
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.0 0.53 0.31 0.21
the plot be solid enough the movie be entertain enough also mean that
if you want something new to watch in the horror genre- this movie be
just entertain enough the lore can have be improve upon and with some
much back story perhaps even some flashb
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.57 0.42 1.1 -0.67
this movie suck big time its awful in all its extension the actor be
horrible all of them it seem that they never act before but larry
fessenden beat them all in the wrong possible way gosh deplorable act
and the possession part i couldnt believe my
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.0 0.33 0.31 0.01
what a film soon have do it again this film have it all first the plot
it be the tranquil set of a family that be anything but a soon the
silence be shatter with event that make the unit fall apart there be
normal and usual films nowadays this be wha
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.86 0.44 0.34 0.11
even though the protagonist shamoto be a adults this be essentially a
coming-of-age movie in a doom world shamoto be introduce to murata a
psychopathy everyone seem to do what murat want them to include
shamoto wife and daughter shamoto try to go aga
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.5 0.55 0.38 0.17
mrs soon be a uncompromising filmmakers his resume be fill with odd
characters unnatural situation and twist that come at you from nowhere
this be base on a true story about a sadistic couple who kill dog
lover the truth be strange than fiction in th
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.38 0.32 0.06
after be shock and transform in transgressive visitor qu a decade ago
i once again find a movie that hit me in the face and that i will be
think about for days weeks month and year to come once again it be at
fantasia film festival and once again it
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.28 0.41 0.4 0.01
youre next is unabashedly yet another nuclear family andor rich yuppy
besiege by mask psycho killer at vacation home slasher right down to
the obligatory last girl elements but while the movies schema be
completely typical its execution smart script
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.62 0.27 0.36
youre next be direct by adam winnard and write by simon barrett it
star sharns vinson nicholas tucci wendy glenna adj bowen and joe
swanberg music be by mads heldtberg and cinematography by andrew
palermo the davison family and partner meet up for a
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.88 0.81 0.3 0.51
this kind of film be usually low rate by me its very rare that i find
one good film and that happen to be this one i be brace for another
disappointment then i totally get surprise when it reach half way mark
good twist took in fact there be many twi
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.46 0.65 0.47 0.19
my rate be give in context shawshank redemption or citizen kane it be
not but the maker be keenly aware of what they be filming i be not a
fan of scary horror or gore to put it mildly and after the of kill i
be on the verge of just give up i be glad
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.78 0.77 0.42 0.34
its a family reunion for the davison family the father be in the
market department for a huge defense contractors and hers loaded erin
sharni vinson be one of the sons new girlfriend a gang of mask killer
descend on the family but erin have a few sur
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.24 0.52 0.26 0.26
beneath all my suffocate inhibitions my inability to share my true
feelings my fear of do what it be that i really want to do there be a
character somewhat akin to hirata in sion sons why dont you play in
hell here be a ridiculous and frankly insane
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.9 0.47 0.29 0.18
i watch this movie few day ago and it be the of soon sion movie i have
ever watch in cinema the movie be quite funny with bloody scene and
mad character especially the film producer director play by hinoki
hasegawa a soon always does you can say that
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.23 0.39 0.25 0.15
the much movie of sion sons that i see the much i realize that he be
one of the great artist work today its a big claim and i dont like to
kiss ass but the man be one of the few people work in entertainment
and art that see through the current state
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.37 0.41 0.3 0.11
this movie exist only to impress you acclaimed japanese director stion
soon love exposure suicide club coldfish have craft a delirious and
extremely over the top comedic action thriller which will surely
impress audience all around the globe its very
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.76 0.43 0.33 0.09
wow what a beautiful and sophisticate supernatural movie about life
and death acting be superb plot very interesting music amazing very
atmospheric scary but also touch story about the ghost of a little boy
who have a special bond with his mother whe
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.81 0.69 0.3 0.4
i rent this on dvd today and be pleasantly surprised the dvd have a
alternative end for the movie which i be glad have not be used the end
that be choose be the well choice be immediately draw into this movie
with its intrigue story how each characte
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.68 0.51 0.28 0.23
two reason why i watch this first ive be recommend this film by a
friend secondly it star barbie hsu with a name like that why shouldnt
i want to watch this ok so i know she star in the taiwanese pop-drama
television series meteor garden and be just
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.3 0.9 0.2 0.7
this be a movie with much creativity its not just about ghost but also
sci-fi and many other factors dont expect it to be a typical ghost
movie its much well than ghost movie which just try to terrify people
many people will enjoy all the complexity
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.1 0.7 0.43 0.27
loved the plot in this movie and the twist and turn that leave you
guess until the very end if you dont like subtitles i would suggest
that you dont watch it but if your love something a little different
leg purfumer this be the movie for youth direc
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.04 0.54 0.22 0.33
i work at a video store and when customer ask me whats a good horror
movie that will actually get to them i dont suggest any of the freddy
or jason movies those be for fans and i dont consider them to be
genuinely frightening session is much definite
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.82 0.43 0.32 0.11
seeing a film like session just reaffirm that there be truly great
film still be made while many including the filmmakers will find
comparison to dont look now the shining and even a nod to the
changeling session still stand on its own a a much effec
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.45 0.31 0.31 -0.0
everything about this movie impress me the script be lean and
inventive the direction stylish without be overblown the act top notch
even the shot-on-video cinematography look great with the exception of
one or two exterior shot that have a hint of v
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.13 0.44 0.34 0.11
made on a low budget this brilliant horror film succeed because it
doesnt fall back on any cheap gimmicks like special effect or shock
moments but instead provide a eerie forbid atmosphere and genuine
three-dimensional characters writer-director brad
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.79 0.4 0.3 0.1
well i keep hear all sort of disappoint statement about reincarnation
needless to say i be a bite reluctant to see it in my local theater
but then i remember that i have never see a japanese film on the big
screen so i go mainly for the experienced w
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.0 0.59 0.38 0.2
another one of the of films to die for from after darks horror film
festival this little japanese chill be a complex and spooky film the
movie follow nagisa a japanese actress who get the part in a horror
movie that be base on a real murder spree tha
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.13 0.58 0.36 0.22
reincarnation be a brilliant film plain and simple it be unique in
that it rely on imagination and psychology to scare you and make you
think twice about the world around you the director do a fabulous job
construct the imagery of the film and i genu
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.13 0.45 0.37 0.09
like a lot of psychological horror you have to invest some time and
energy in this film it appear to be one things but you be not prepare
for the changes and certainly not the ending really expect that angina
yûka in her of film be go one way and the
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.89 0.42 0.36 0.05
a young actress be draw to her role in a horror film and also to a
hotel from her dreams a hotel where eleven people be murder before she
be borne what be her connection to her character and the ill-fated
hotel i have two concern with this film first
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.54 0.46 0.37 0.09
yoshimi matsubara hitomi kuroki be in the middle of a nasty divorce
from her husband kunin hamada fumiyo kohinata the big issue of
contention be their daughter ikuko trio kanno kunin accuse yoshimi of
be unstable and he seem to have a point still yos
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.76 0.51 0.38 0.13
this be my idea of a horror movie no junko no noise no random jolts
but plenty of fear deliver quietly and compactly without fuss its the
much suspenseful movie ive see since ring and i think its even better
like that movie it put my stomach in knot
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.36 0.47 0.38 0.09
a story very similar in certain area to another story by hide nakata
but different enough to stand apart using similar technique to the
ring series nakota employ askew camera angles wide shot and the mix of
foreground and background show normality in
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.94 0.48 0.39 0.09
horror movie have become a dime a dozen in the past few years the
watchable one seem to fall into two category of later misguide
psychological thriller headline by a consummate actress witness naomi
watts in the ring of or jennifer connelly in dark w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.91 0.44 0.29 0.15
i see the skeleton key back in august 2005 during its theatrical run
and i can say it be one of the well horror thrillers of the years the
skeleton key be about a young hospice worker name caroline ellis who
decide to take a caregiving job outside of
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.54 0.61 0.31 0.3
intelligent stylish and compel all the way the skeleton key be one of
the well supernatural thriller in years young nurse take up a job at a
isolate bayou estate where she begin to believe that someone be mess
with some sinister magic director iain s
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.24 0.6 0.3 0.3
part of the success of this type of movie be set up and make sure its
resolution live up to its expectations i must say that in this film
everything seem to work and yet ism not sure what spook more its end
or the nature of its ending the film deal w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.77 0.61 0.31 0.29
in case you havent see the skeleton key yet be very careful when read
any reviews the little you heard read or even know about this film the
better because i assure that you dont want to pick up any spoiler
about this surprisingly original and ingeni
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.14 0.45 0.31 0.14
greetings again from the darkness this be my a first features from a
writer director this weeks but there ended any similarities ana lily
amirpour present the of ever iranian romantic vampire thriller that
blend the style of spaghetti westerns graphi
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.88 0.43 0.4 0.03
within the of min of this film anyone with any level of knowledge on
cinema can admit to the films uniqueness in style look and the neo-
genre it be try to create from the ash of genre such a western and
vampires that much be evident right off the bat
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.14 0.46 0.33 0.13
this be one of the much anticipate art-house horror films the fact its
do in persian with iranian director and crow absolutely peek every
filmophile interest unfortunately the hype surround it sometimes work
against anticipate release like this but t
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.43 0.34 0.09
spoilers i be a bite disappoint to learn after see a girl walks home
alone at night that it be not a actual iranian film turns out it be
entirely american fund and make in california its just that it have a
iranian director crow and cast while it be
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.62 0.53 0.35 0.18
this movie drain me without a doubt the much unpleasant and despair
movie ive ever watched its not just the graphic imagery that get to me
but the overall tone of the movie be incredibly dreadful and you can
almost feel a presence of some sort of evi
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.22 0.42 0.37 0.05
an eerie yet gorgeous tapestry of linger close-ups parallels cut and
slow-motion photography lars von triers antichrist be a gruelling tale
of mythical grandeur a bizarre yet beautiful film chock full of sadism
and shagging satanic dogma and similes
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.95 0.33 0.33 0.0
where doe horror reside in the psyche lars von trier have establish
himself a a maker of serious avant-garde drama he come to fame through
breaking the waves a controversial story of how far someone would go
for love he found the dome movement of ver
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.48 0.39 0.22 0.17
this movie be violent and very sexually graphics border at time on
artistic but hardcore pornography but it isnt lurid for the sole
purpose of scandal gory appropriately describe some section of this
film but the word by no mean encapsulate it if one
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.84 0.72 0.29 0.43
for the incredibly stupid front page reviewer here its not even a
review really just whine with no substance by somebody who doesnt seem
to like or recognize horror ism not affiliate with the film in any way
feel free to look at my other reviews ism
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.22 0.7 0.26 0.44
caught resolution at a film festival this be a movie that you have to
see a there be no way to really describe it it doesnt fit into any
sub-genre within horror but it definitely belong in the family the
film be one of the much creative and unique iv
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.16 0.51 0.33 0.18
peter cilella be commit to get his well friend chris vinny currane to
sober up and get his life back on track but what begin a a attempt to
save his friends life quickly take a unexpected turn a the two friend
confront personal demons the consequence
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.34 0.48 0.42 0.06
as the other reviewer already stated this be different i have no idea
what it would be didn t read the synopsise the movie be part of a
festival but i be really pleasantly surprised a little movie that
could its not without flaw mind you but you can
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.96 0.6 0.41 0.18
fee alvarez just give green room a run for its money with dont breathe
a incredibly intense film and glorious exercise in suspense its one of
the well studio-produced thriller ive see in years the premise be
simple a group of teen plan to break into
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.34 0.43 0.33 0.09
three burglar find out about a blind army veto live in a abandon
street sit on a huge amount of cash the three burglar break their rule
of not steal cash and decide to rob the place think it would be a
piece of cake and of course it isn t the blind a
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.31 0.7 0.44 0.26
its pretty rare that i get hype for horror movies especially modern
ones but i be a little hype for this i think the premise be
interesting and it have potential to be scary i wouldnt call this a
disappointment because it miss the bare basic of what
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.91 0.44 0.32 0.13
how do this film and i struggle to call it that receive so many stars
that be the real mystery here the story centre around kid who break
into houses two be dating and the third-wheel be a quasi-moral-
objector who follow along because he think hers i
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.03 1.17 0.34 0.83
i personally think this movie be one of the great horror movie every
teresa palmer and gabriel bateman act be very good absolutely credible
almost like rosa byrnes performance in insidious which be flawless the
cinematography be good dark scene prett
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.17 0.88 0.39 0.5
this movie will get your pulse up fast reveal the horror very early on
interestingly enough it keep that pulse up throughout the movie
despite of this the concept of something that can only appear and be
see if its dark and with a somewhat supernatur
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.75 0.62 0.49 0.13
lights out doesnt break any new ground nor doe it really attempt to of
minute of pg-13 jump scare and basic horror trope in the vein of the
grudge not bad for a summer fright fest but dont expect much a you
wont find it here technically it look and s
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.01 0.59 0.39 0.2
lights out be a interest stab at a horror movie base on a 2013 short
film of the same name the movies novel concept be a creature that can
only be see and manifest in the dark turn a torch on and it disappears
naturally this mean that a lot of the mo
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.41 0.38 0.34 0.04
lights out of a eerie silhouette of a human-like creature loiter down
the hall you repeatedly blink in a attempt to mould its blur lines but
the dishevel contour of the unfathomable spectre remain absolutely
motionless lights on of nothing there ligh
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.27 0.4 0.38 0.02
this be a movie make with the confidence of one who know exactly what
she be try to communicate the problem be that what be be communicate
be so far beyond the norm that it be not go to be easily grasped
esther be a highly intelligent young woman the
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.52 0.42 0.29 0.13
disturbing a in my skin is the movie frequently pop into my mind
looking at the film on the surface i be disturb by the imagery a
apparently be the other people in the theatre who all leave before the
movie be over this be a movie that much like grou
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.69 0.41 0.17 0.24
saw this at a cult film festival youd think a cult audience would be
able to stomach depiction of self-inflicted violence but several
people walk out i canst really blame them it be a intimate and
plausible portrait of a woman who have live her life
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.3 0.59 0.35 0.24
in my skin certainly have some problems but one of this problem isnt
originality and while thing such a a lack of a true plot formula and
explanation for the central characters action may put some viewer off
the film deserve huge credit for step out
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.04 0.48 0.52 -0.04
so ive read here and there that this remake lack the camp of the
original and i look back over year ago watch the evil dead on a crummy
rental vhs in the dark of my teenage bedroom one night the camp the
original evil dead be a terrify experienced ev
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.08 0.59 0.5 0.09
we seem to be in a time where the remake of remake will be remade even
film like cabin fever arent remain sacred the obligatory remake
follows evil dead now be a remake with a bite of bite of course it
have every possible cliche under the sun tick of
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.58 0.37 0.21
i have to say ism very surprise at all the negative review ive be
reading ism a avid movie lover frequent the theater at little twice a
week if not more something about be able to just sit back in a dark
room with a big screen and great sound its jus
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.29 0.47 0.41 0.06
devil dead five stars out of five the of five star movie of 2013 be
this long await reboot to writer director sam raisins 1981 cult
classic original the evil dead its a loose sequel that find a new
group of young adult stumble across the book of the
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.13 0.47 0.31 0.15
ah halloween of my favorite time of the years it isnt so much the
festivity take place that excite me a its the feel in the air once
october comes that palpable sensation you get see jack-o-lanterns
grimly light faces kid trick-or-treating in the str
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.28 0.48 0.4 0.08
for like two year trick r treat never seem to come off the upcoming
releases list i canst for the life of me see whit may not be a all
time great but it be so much well than odd absolute crapfests that be
actually fast-tracked into cinema over the la
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.01 0.38 0.27 0.11
before anyone cry foul over my statement that trick or treat be the
single well halloween-themed movie ever made allow me to back up the
statement while 1978 halloween be a masterful amaze thriller that
truly have no equal in the horror genre trick o
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.91 0.48 0.3 0.18
i see trick or treat last night a part of brightest in leicester
square all i need to say be it have a round of applause at the end
which doesnt usually happen in the uk and it wasnt down to the fact
that dougherty be there i have see thousand of hor
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.55 0.29 0.3 -0.0
just when it look like the anthology movie be dead along come director
writer dougherty trick or treat to not only breathe new life into this
overlook format but also firmly establish itself a one of the well
film to keep on the shelf and revisit eac
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.28 0.46 0.33 0.13
after lewis thomas paul walker buy a car to pick up would-be
girlfriend vena leelee sobieski from college in colorado he learn that
his brother fuller steve zahn be jail on a misdemeanor charge in salt
lake city so he decide to pick up his brother fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.9 1.08 0.22 0.86
the idea of this movie be actually pretty good two teenager do a prank
call on a cb radio but the prank turn on them most teenager have
probably be in a situation where they themselves make a prank call at
the very least everyone know about it the fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.88 0.57 0.3 0.27
joy ride be a extremely entertain road-set horror thriller that be
surprisingly quite good the film be about lewis paul walker a college
coed who decide to buy himself a car and take off across the desert to
pick up a would-be-girlfriend vena leelee
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.9 0.61 0.36 0.25
in joy ride two brother than walker get involve with a big rig driver
over the cb radio while on the open road they set him up a a practical
joke and unleash all hell on themselves a the unseen subject of their
prank a know only a rusty nail a turn o
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.89 0.55 0.32 0.22
a very creative japanese horror movie in the style of ju-on its fairly
slow-paced be character and plot driven but this be the right approach
due to its clever intelligent and emotional script man start receive a
newspaper which predict tragic future
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.22 0.37 0.34 0.03
kyogen begin with a tight sequence full of foreboding a marry couple
with their young daughter be drive home from vacation when the father
professor hideki atomic need to send a email to get a internet
connection they stop at a phone booth and whilst
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.35 0.35 -0.0
skillfully edit and highly tensioned kyogen be one every so often
discuss psycho-horror its be produce from the idea of the same title
japanese comic book of 1950s and follow the storyline of a solid
japanese novel from the same decade the comic book
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.19 0.41 0.28 0.13
having child myself this movie strike me in a very emotional way in
fact i be almost move to tears that doe not happen often if youre look
for a ring type horror flick this isnt it at times kyogen move rather
slowly and doesnt pack the creepy punch i
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.79 0.56 0.38 0.18
the conspiracy be about exactly what the title suggests conspiracies
from 11 to the new world order to occult ritual between world leaders
the conspiracy wrap it all up into one incredulous story that be
document a realistically a possible real foota
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.79 0.91 0.33 0.58
ive always have a love for conspiracy theory because they be surreal
and theyre just fun to research personally i enjoy be scare and horror
doesnt do that for me this day but the dialogue aspect of this do it
for me i like a horror film that actually
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.61 0.4 0.27 0.13
this prove to be one of the much surprisingly effective thriller i
have see in recent memory at a glance we have a unknown of time writer
director in christopher macbride match with a relatively small budget
of just under $1 millions maybe ism wire a
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.15 0.47 0.33 0.14
aaron and jim be documentary filmmakers who become fascinate by a
street preach conspiracy theorist a man who spend all his time spread
a message like a modern day prophet about how we be all slave and the
world be run by a group of rich man who be c
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.58 1.15 0.27 0.88
the story be about a couple of guy be make a documentary about the
people for specifically one person who be true believer in conspiracy
theories when their subject disappears they get wrap up in the
conspiracy theory and investigate it they end up s
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.59 0.44 0.28 0.15
in a way this film be a perfect example of form follow function what
well way to show how empty and perverse the model scene in los angeles
is than to make a empty and perverse movie about it if nicolas winding
rein want to make this point he have ma
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.75 0.33 0.33 -0.01
this film start promisingly with a eye-catching and unsettle image
then the of dialogue for should i say direlogue scene starts and two
thing happen one the dialogue be awful two the instruction in acting
101 make the much of your pauses have be tran
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.33 0.49 0.29 0.2
i wouldnt really recommend the neon demon unconditionally to my
friends not because its a bad film quite the opposite but because its
the kind of movie that would inevitably lead some of them to think the
tell me to watch it and say it be great what
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.53 0.67 0.31 0.36
it seem that after the massive success of drive rein be be give the
opportunity to make the film he want to make and take a lot of
creative license think this be a good things and its a smart way to go
about a career in any creative industry achieve
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.66 0.4 0.26 0.13
nicolas winding-refn be a director who defy all analysis most consider
him a surefire commercial success follow on from his exceptional
adaptation drive back in 2011 however against all odd winding-refn go
darker much subversive and all together much
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.78 0.33 0.37 -0.04
this somber yet deeply unsettle film manage to give me the willy even
in the less-than-ideal horrorhound weekend screening not soon after a
pregnant woman katie parker declare her miss husband morgan peter
brown legally dead she begin to have terrify
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.91 0.46 0.35 0.12
i dont write review much in fact i havent do so since david lynches
lost highway back in the 90 but have just see absentia i feel obligate
to share my thoughts this be a amaze horror thriller i cannot fathom
how a director work on a minuscule budget
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.2 1.37 0.23 1.14
if you come to this expect something along the line of saw then you
will be disappointed it be a fairly slow moving character driven
existential horror that said there be a good numb of scare and tense
edge of your seat scenes it be good do good cine
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.22 0.66 0.4 0.27
i do not really understand why the average rate of absentia be so low
well maybe i do understand if you watch this horror with the
expectation that you get a fast pace gore fill typical horror movie
you will be disappointed absentia be a slow one and
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.13 0.6 0.54 0.07
i must confess i be expect way much of this horror film it start off
quite good whence the rating but after the of of minute go downhill no
question be answered you be leave with a large list of plot hole and a
end that couldnt be much predictable an
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.61 0.42 0.37 0.05
this movie have a million dollar budget and i feel like million be
spend on the movie and the other spend on fake review on site like
this movie be one of the large piece of garbage i have ever seen
spoiler nothing come at night if you read the posit
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.4 0.96 0.32 0.64
i be a fan of post-apocalyptic movie and for the of minute this film
show promised good visual and mood but then it crawl repeat the same
shot and mild shock until after the hour mark at this stage you be
leave wonder when the real story be go to sta
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 3.7 0.41 0.34 0.06
nothing of significance happen during the whole movie its slow not
scary and a waste of time no answer to any of the question the film
poses just a bunch of people in the wood who dont trust each other and
some fatal disease that just kill everyone i
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.7 0.57 0.5 0.07
the director of the chill shutters create another terrify horror film
this creepy film tell the story about the survive half of a conjoin
twin who start to see her dead sister when she return home to visit
her dye mother through flashback we learn ho
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.61 0.36 0.31 0.05
in seoul the thai him masha wattanapanich be inform that her mother
have a heart attack in her hometown him travel with her boyfriend wee
vittaya wasukraipaisan to thailand to give assistance to her mother
once in her home him be haunt by her siamese
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.63 0.51 0.34 0.16
this film make ton of buzz from thai medium before its release give
the fact that it be a film of the director of shutters which become a
blockbuster in thailand a couple of year ago and star one of the much
famous thai actress masha wattanapanich as
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.34 0.95 0.28 0.67
i yesterday see its hindi remake adaptation so i know the suspense but
i didnt enjoy the hindi version and here for original despite know the
suspense i enjoy the movie during separation of conjoin twin girl one
of the girl die and she come back to h
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.45 0.35 0.1
thai writer-directors tanjong pisanthanakun and parkpoom wongpoom have
shoot to prominence in the horror genre with their debut movie
shutters which i have regrettably miss its theatrical run here but
much than make up for it by be the proud owner of
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.21 0.48 0.4 0.08
it be clear that the current cycle of horror remake be far from over
and the result so far have for the much part be surprisingly good this
trend continue with the crazies a reinvention of george romeros
little-seen 1973 original the plot be beyond s
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.07 0.32 0.44 -0.12
a transport plane crash into the water supply of a small iowa town
some of the townfolks become infect and turn craze killers sheriff
timothy olyphant his wife radha mitchell his deputy joe anderson and a
girl from town danielle panabaker need to esc
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.13 0.42 0.34 0.07
the craziest a remake of a seldom-seen 1972 george romeo film be about
a small town whose inhabitant drink taint water and become deranged
the movie be slick but still terrifying rely not only on wacked-out
effect but also on unadulterated suspense t
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.48 0.46 0.4 0.06
i love this film so much to me it be completely original ive see some
other people say that this film be unoriginal and i dont agree i admit
the virus epidemic in zombie film be quite repetitive but i suppose it
have to be how else can we turn into z
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.4 0.57 0.36 0.21
the post-exorcist was produce a variety of quirky old-fashioned horror
film with big name star whose career be wind down but who be happy to
still be work and who add a touch of class to the proceedings psychic
killer with jim hutton tourist trap wit
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.13 0.3 0.25 0.05
how can i begin to describe this amaze film random image pop into my
head from memory tony curtis a a dash fortune-teller and huckster
prance around his san francisco bachelor pad wear a sorcerers outfit
one of his elderly female client be possess by
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.45 0.43 0.39 0.04
i see this when it of come out in the theatres with my sister---we
love it and be blow away ive since own it on vhs and now have the
wonderful dvd that be just released honestly give the year it be make
and such its not a bad film at all and be one i
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.8 0.51 0.32 0.19
this be a lose 70 horror classic the whole idea itself be great
although the whole growing on her back bite be a tinge too dodgy tony
curtis basically play a comedy role for the of half then show how good
he can be atsara do a excellent job play the
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.13 0.37 0.36 0.01
i vague recall this creepy movie from watch it year and year ago on
elvira movie macabre it be a movie i have no clue what the title be
but certain scene be forever burn into my memory after the internet
come along i begin search for some of the old
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.62 0.3 0.36 -0.06
1966 death curse of tartu be a staple of late night insomniac in the
pre-cable day of television along with other no budget wonder such a
they saved hitlers brain women of the prehistoric planets and zontar
the thing from venus although the plot dred
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.88 0.42 0.38 0.05
bobbie breese play fade movie queen lynn roman who be unhappy because
young actress receive all interest film roles the assistant of decease
dr zeitman offer her the potion which should stop the process of aging
it work perfectly until ruth turn into
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.0 0.41 0.35 0.06
wowf ism actually speechless of i have watch lot of awful horror movie
in my life and i definitely know to keep my expectation low regard
late 80 low-budgeted monster movie a especially when the name fred
olen ray be even remotely involve a but still
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.94 0.55 0.27 0.28
this film be a fun under-watched gem from the 80s fans of the of house
have a lot to enjoy here certainly one of the only horror comedy
westerns i can think of but it work good in this picture dont expect
citizen kanes but if youre look for a enjoyab
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.96 0.44 0.34 0.1
this non-related sequel be so sweet-natured so tame and family
orientate that to assume otherwise be completely ludicrous there be
nothing in this movie that can possibly rate it above a pg max i
wouldnt even have reservation let young child watch ho
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.69 0.44 0.37 0.07
i love this movie because it just keep get goofy and goofy and throw
all sort of disparate element into the mix you have the the great old
mansion you have the nutty friend you have the obligatory 1980 party
segment but you also have alternative univ
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.14 0.31 0.85 -0.54
this movie capture the mood and feel of many a bad was horror flick
and then add a few twist bring smile to your face the actor do a
excellent job of keep a straight face while deliver bad dialogue the
movies one-tone humor cause it to sag in the mid
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.84 0.39 0.19 0.2
i see monster in my closet one day back in the 90 when i stay home
sick from school it have always stick with me a one of the much well-
done tribute to 50 style scifi while also be a very clever spoof of
the genre the performance be all grade-8 chees
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.43 0.41 0.38 0.02
monster in the closet be set in the small american town of chestnut
hills california where mary lou jona leech a young girl the blind joe
shelter john carradine be all attack kill by something nasty in their
closets jump to san francisco the office o
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.99 0.19 0.26 -0.07
in san francisco when several local be find murder in their closets
the rookie journalist richard clark donald grant be assign to
investigate the cases he stumble upon the scientist prof diane bennett
ddenise dubarry and her son professor bennett pau
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.51 0.31 0.38 -0.07
this be a wonderfully goofy example of a self produced write and
direct vanity project while i be work a a crow member john carradine
comment to me before the burn at the stake sequence this be the wrong
piece of shot ive ever work on and ive work on
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.36 0.68 0.35 0.33
i see monstrous yesterday but now i can hardly remember it thats
rarely a good sign especially since i wasnt even drink while watch it
it seem that initial film take place some time before the bulk of the
film but be postpone by various problem befor
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.26 0.33 0.32 0.01
monster be a mind numbingly awful movie about a evil american concrete
factory are there any else in hollywood pollute the water of the small
colombian town of chimayo somehow create a catfish-like beast with a
predilection for lamb and loose women j
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.36 0.25 0.24 0.01
according to this film the event portray be base on fact mean that in
1971 a really dumb look monster the result of industrial pollution
rise from a lake to terrorise the rural colombian village of chimayo
before eventually be blow to smithereens wit
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.0 0.36 0.3 0.06
this be a totally bizarre british horror film which deserve cult
status of the high order i canst believe that this didnt have problem
with the censor it be a disturbing nasty piece of work and should
undoubtedly have cult status the mutations have d
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.16 0.41 0.32 0.09
how on earth have i never see this film before i watch it tonight
because there be nothing else on cable again lucky merit start with
some time-lapse film of plant-life and look like a programme from the
open university but then the soundtrack signal
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.32 0.44 0.35 0.09
ignore the uptight weirdo who spend 000 word bash this movie its very
enjoyable a long a youre a fan of the genre with many gratuitous lsd
reference and a real live carnival freak show how can you go wrong if
you think swamp thing be too intellectual
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.69 0.58 0.29 0.29
ok i see the mutation when i be young at a movie theater in paterson
new jersey and to this day i cant remember the co-feature but it scare
the hell out of merits a basic mad scientist story with a brilliant
but unbalance dr play by the late great do
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.29 0.36 0.3 0.06
this film be a definite cult-classic and a follow up to tod brownings
freaks perhaps a bite poorly made but with real freak like the
alligator woman pop eye and many more julie eger norwegian scream
queen be star and make the well of it if you ever w
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.8 0.75 0.45 0.3
despite a low budget and mediocre act with blue screen effect that
make you laugh this movie be actually quite good not many movie this
day be actually scary in a age where saw someones head in two make
people yawn it seem time to bring back some old
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.11 0.5 0.31 0.19
with all the horror movie make in the usa involve a haunt house you
would think one that feature one of the much famous haunt place in the
world winchester mystery house in san nose can would feature a unique
and compel story however this film fail t
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.23 0.59 0.4 0.19
this movie be quite a surprise usually the movie make by the asylum be
mediocre but this one be quite out of the normal standard the
storyline and plot be intense and something you immediately get
yourself immerse into because it be compel and intere
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.68 0.57 0.19 0.38
the actor especially the mother seem quite sincere in their roles but
the story itself didnt really make any sense it all seem so random
just random ghost at random time come after random people in random
way and do random thing with them all for no
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.01 0.44 0.38 0.06
there isnt a whole lot to say about the film so ill get right to the
point the act be by far the wrong part of it the performance be forced
uninspired and a pain to watch in some places that be said the film at
of seem to be pretty much a wish mash o
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.83 0.44 0.31 0.13
watch this movie closely if you dare and you will see certain of the
same fairly long sequence repeat only a few minute apart such a when
they be walk up the mountain and when they be search the city sewer
near the end not include the ridiculous loop
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.24 0.39 0.41 -0.02
i suppose you should approach this stuff with a open mind but i have
difficulty do that a those word written my expectation for this were
quite frankly pretty low a i know that it be a 1954 low-budget
production a therefore i be prepare to tolerate t
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.7 0.7 0.4 0.31
some of the himalayan scene be interesting there be a conflict a to
who be run the show its typical of westerners to try to run roughshod
over their inferiors anyway the yeti be out there and if we bring him
for her back we can make a bundles everyth
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.33 0.86 0.48 0.38
i have a category of movie i call a good bad movie you ll either get
that statement or you wont if you be a real movie buff you ll
appreciate the value of a good bad movie this be a really cool twist
on the big foot mythology i see this on the sci-fi
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.43 0.51 0.54 -0.03
the movie that the sci fi channel premiere on saturday night be a
decidedly mix bag -- mixed mean bad but watchable enough because its
free on tv that said abominable be probably the well one yet and one
of the few that i wouldnt have mind pay for a
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.97 0.29 0.36 -0.07
him gonna need a big knife the flatwoods sasquatch terrorize victim
within the vicinity of his cavernous dwelling bind crippled preston
rogers matt mccoy still recover psychologically from a tragic fall
from nearby suicide rock which take the life of
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.41 0.31 0.3 0.01
the whole mythos surround bigfoot the abominable snowman or sasquatch
be a enthrall one captivate the general public since the of allege
bigfoot sighting in the early 1950s a numb of bigfoot film have be
made capitalize on the general populations int
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.77 0.43 0.43 -0.0
this be often right up there on the list with stroll of and the room a
one of the so bad its funny movies we ll consider the budget and the
fact that it be never finished grizzly of come out remarkably well how
oscar winner louise fletcher get on boa
Movie title: Grizzly II: The Concert
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.54 0.47 0.26 0.21
friday the with part vie jason lives be the well supernatural slasher
movie of all time it be my numb favorite film of the franchises it be
one of my personal favorite horror slasher movies this movie be the
bomb this movie be the well horror slasher
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.21 0.54 0.25 0.29
friday the with part vie jason lives be my all time numb favorite film
of the franchises it be one of my personal favorite horror movies this
movie be the bomb this movie be the well horror slasher 80 movie in my
opinion they dont make movie like thi
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.87 0.46 0.41 0.05
from its spectacular squirm-in-your-seat open to its excite finales
friday the with part vie jason lives delivers still haunt by his kill
of the mask maniac two film ago our hero tommy jarvis thom mathews
venture to jason voorhees grave just to be su
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.19 0.46 0.33 0.13
with the exception of part of all of the jason movie just keep get
better a in my honest opinion this sequel come in a a far a jason
sequels go ps part will always rule and this sequel come in right
after part and of a part be simply a classic direct
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.34 0.34 0.42 -0.08
ya gotta love al adamson only he would take footage from a 20-year-old
movie about gorilla in dive helmet robot monster combine it with clip
from a 30-year-old movie about elephant with hair mat glue to their
side one million c throw in part from a g
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.74 0.29 0.34 -0.06
i dont care how many people vote this movie a out of this movie be
pure entertainment there arent very many painful moments lot of great
fun scenes and of course the adamson trademark of cut and paste
filmmaking vampire men of the lost planets the vi
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.43 0.22 0.56 -0.34
huh what vampire cavemen a sex replace by flash multi-colored light
bulbs a guys in dinosaur suits a a film half make of stock footage
this isnt just bad its inexplicably bad a do not watch this alone a
make sure to have a friend or two with whom you
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.3 0.48 0.28 0.21
delirious surreals and savage tobe hoopers follow-up to his landmark
debut chainsaw for that not in the know be one of a kind while bear
the same signature stamp he leave with his predecessor a sheer
unrelenting onslaught of pure madness macabre and
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.72 0.49 0.39 0.11
a crazy homicidal man name judd own a shabby hotel in the louisiana
bayou and when he receive guest he go out of his way to murder them
and fee them to his pet crocodile some of this unexpected guest who
face this horror that await them range from a
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.18 0.49 0.29 0.2
well if you see the texas chainsaw massacre and be impress with
director tobe hooper your next move may be to view his a film eaten
alive i search all over for a print and finally be lucky enough to
find one and see this somewhat forget picture one r
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.69 1.0 0.31 0.69
not a good movie exactly but a significant improvement over much sci-
fi channel original movies it have some humor and the movie work well
when it be its silliest the much serious scene tend to just slow the
movie down if you like vincent ventresca i
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.45 0.46 0.41 0.06
mammoth be a pretty decent sci-fi creature feature spoilers dr frank
abernathy vincent ventresca be beyond thrill that his museum acquire a
freeze wooly mammoth especially when he pull a strange blue object out
of it a few day later a meteor shower s
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.72 0.91 0.64 0.27
ok its make by the sci-fi channels one of the king of ok too generous
cod movie production does anyone know if they ever make a good movie
that wasnt a miniseries dune and children of dune be good does anyone
actually expect sci-fi to make a good mak
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.12 0.43 0.35 0.08
the plot of the devils rain be very simple it concern the preston
family and a book their ancestor steal decade ago from a devil
worshiper name jonathan combis ernest borgnine combis have spend
century try to locate the book and will stop at nothing
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.71 0.79 0.44 0.34
context be everything for this type of film this be a 1970 era devil
worship film which be a genre quite apart from other horror movies the
american public be in something of a satanic-panic in the 70 what with
people listen to black sabbath and play
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.27 0.44 0.34 0.09
this have get to be one of the strange movie ever made yet somehow i
still find myself revisit it at little once a year despite the fact
that its seriously flawed i will attempt to explain why that is lets
begin with try to decipher some sort of plot
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.65 0.4 0.33 0.08
in africa a english sugar cane plantation owners pregnant american
wife be curse for her sisters stop the tribal sacrifice of a goat
christopher lee give obvious star treatment and always a welcome
presence a far a this horror fan be concerned be a r
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.32 0.42 0.4 0.02
a likable cast and and decent location photography make this low
budget horror film watchable jenilee harrison suzanne somers
replacement cindy on threes company play a 1950s great white huntress
in africa who interrupt a sacred tribal ceremony so th
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.76 0.43 0.32 0.1
if longtime fan of the friday the 13th saga have anything to say about
it the people behind this film will burn in the same place a its
hockey-masked start jason goes to hell the final friday be completely
preposterous out of place and a affront to w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.68 0.48 0.4 0.08
lets understand two thing about slasher horror from the 1980 of of all
they have a legacy of saturate their own market and secondly they be
simple story bear out of the twilight of a ever change world with this
in mind it would be easy to point out w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.81 0.48 0.45 0.03
major spoilers before you read my review there will be lot of hate for
this movie and if you be a fan of friday the with film like me avoid
my review at all cost because it be not likable youve be warned what
the hell be this movie this be not a jaso
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.24 0.61 0.35 0.26
not actually kill in manhattan surprise surprise jason be still at it
until a undercover fbi agent julie who make time to take a shower
trick him into a ambush where hers blow to pieces if you think be head
and limbless will stop mrs voorhees from re
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.81 0.29 0.31 -0.02
the snake woman be a brief only of minute long painless silly and
quite amuse british horror film with some decent atmosphere and
capable performances its not memorable overall save for its sexy snake
woman but its entertain stuff its low budget enou
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.58 0.35 0.4 -0.04
fans of atmospheric and story-driven 60 horror all over the world
should urgently combine force and catapult the snake woman out of
oblivion and into the list of favorites despite the compel storyline
and a acclaim director in the credit sidney j fur
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.88 0.52 0.41 0.11
its obvious that the snake woman be make on a shoestring budget the
production value be very low the special effect nonexistent and the
film only run for little over a hours but in spite of that sidney j
furies film be at little a interest example of
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.26 0.6 0.38 0.23
this be not a sequel to the of movie well only in name but it have no
character or storyline connection what so overran alligator be kill
people and animal in a sewer and surround area up to the local police
force to take him out sounds familiar the
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.87 0.49 0.36 0.13
this serviceable follow-up to the original alligator have absolutely
nothing to do with that movie a other than feature a alligator live in
the sewer of a us city i actually find this a fun tongue-in-cheek
little monster movie that work around the lo
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.38 0.48 0.35 0.13
alligator ii the mutations be a much than capable sequel to the of
classic spoilers a rash of death in the chicago swamp have leave the
local police baffled detective david hodges joseph bolognas be bring
in to lead the investigation which take place
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.99 0.44 0.36 0.08
another chemically enhance alligator grow to epic proportions lead to
a series of fatality that threaten a lakeside development project the
obligatory doubt and denial lead rogue cop bologna and rookie brown to
of convince the hierarchy that the titl
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.85 0.44 0.27 0.17
bert in gordon when you hear that name many people smile but some
trembled many of us remember his back project monster the beginning of
the end transparent giant the amazing colossal man and his malevolent
ghost tormented okay so his effect be usual
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.01 0.3 0.23 0.07
one of the zillions of 50 horror this probably be one of the of
monster movie i ever saw i must have be around year old when it be air
on chiller theater one saturday night in suburban new york i remember
particularly freak out and scream when the gi
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.75 0.34 0.3 0.04
hokey was sci fi from bert i gordon who despite the prevalent hokum
crappy effect and cheap sets keep crank fun flick from the 1950s sci
fi heyday its one of that films if you of see it a a kid its leave a
pretty strong impression just with the horre
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.9 0.41 0.32 0.09
interview with the vampires be a atmospheric highly grip film involve
vampires not a vampire movie whilst the latter would describe a film
that focus on its vampirism and may be judge on the sharpness of its
fangs this film involve vampires have all
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.34 0.38 0.28 0.09
in like anne rice be initially dismay that tom cruise have be cast a
estate but when i see the film i have to admit that he absolutely nail
the role i have always think of cruise a a pretty boy and not really a
serious actor especially since he fail
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.88 0.23 0.24 -0.0
interview with the vampires the vampire chronicles aspect ratio 85
1sound formats dolby digital sdds17th century new orleans the
relationship between a ancient vampire atom cruise and his
bloodsucking protege brad pitta be test to destruction by a yo
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.67 0.56 0.34 0.22
i have a passion for film with dark settings whats even well be when
the film be not only dark and dismal but also deep and engrossing with
a combination of anne rices script and neil jordans direction the
overlook interview with the vampire not only
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.28 0.5 0.3 0.2
tremors be a flawless film write another commentator on this site and
hers damn right what a movie ive miss it in the cinema because over
here in europe this maybe play in vienna in theater for one week and
hardly anybody catched it but some time lat
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.52 0.47 0.38 0.09
out of tremors be often describe by many to be a cult classic which be
odd a the fact is cult film usually have a quirky quality to them that
separate them from the usual hollywood-churned machine a take re-
animator for example or even the recent rav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.03 0.43 0.49 -0.06
loved the movie how can you not it have two lovably bumble buddiest
val and early play to perfection by kevin bacon and fred ward it have
a remarkably funny gun craze survivalist couple play completely
straight-faced by gross and reba mcentire it hav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.57 0.31 0.33 -0.02
and they roll and they chew and they eat and eat and eat darn that
space people for solve the critter problem a this be one of that tv
late night movie that be totally awesome because of its creativity a
course while i watch it i have no dream of gre
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.81 0.54 0.21 0.33
eight flesh eat alien have escape from a maximum security prison in
space these alien be travel to earth to eat anything living the brown
family dee wallace stone billy green bushy scott grimes nadine van
elder be be stalk and trap in their own farm
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.29 1.61 0.26 1.35
critters try to be nothing much than good entertainment and simple fun
and succeed admirably at both decent acting believable characters and
a engage story prove once again you dont have to spend ton of money to
make a good picture
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.99 0.31 0.35 -0.04
at the start of critters somewhere in space crites be be bring to
custody but of them escape so that hunter have to get them back now
this sequence can have easily last minute in any other movie but
critters doesnt waste time it take about one minute
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.72 0.62 0.31 0.32
blood beach rocks it have everything a saturday night movie need from
a giant phallic monster to a scene where every few moment the mic drop
into shot a popcorn monster flick give a unique angle on the jaws
theme some good gore fx and a good few jump
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.16 0.49 0.37 0.13
after several people mysteriously vanish from a south californian
beach authority begin the search for whoever or whatever be
responsible believing some kind of ravenous subterranean creature to
be the cause of the disappearances harbour patrolman ha
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.48 0.4 0.34 0.06
those darn film producer of the 1980 be at it again they be try to
scare us from go back into the water again first steven spielberg get
us with jaws follow by the infamous inferior sequels then we be treat
to a double-dosage of tentacles pair with o
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.43 0.37 0.33 0.04
heaps of potential wasted you have cute chicks they be thin and have
long hair there be a bikini contest announced everyone be on vacation
except one who be in grief so can be make happy and what doe this
movie do next to nothing with problem with th
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.41 0.47 0.28 0.2
i mean one always wonder who this people be who watch infomercial for
of minute at a time well here be our answer it be much fun and
interest to watch a infomercial compare to this do give three star for
the harbors and the chick who promise sex to t
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.45 0.28 0.26 0.03
the cleavage and hard body be spectacular and promise but the promise
of a bikini contest never materialize and there be no woman be natural
and flaunt their body and no sex it be almost like a taliban
republican ski resort otherwise the story be a j
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.39 0.53 0.28 0.25
the howling 1981 be a underrate cult classic werewolf film of the 80 a
masterpiece in all horror genre it be one of my personal favorite
horror movies from the director of gremlins and piranha come the
ultimate masterpiece of primal terror filed with
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.53 0.22 0.31
this be a excellently craft piece of work from former roger norman
student joe danted i wont go much into the plot but it involve a news
woman who get attack while in a porno shop view room to get her mind
off things a psychiatrist recommend she go t
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.37 0.37 0.39 -0.02
in 1981 horror movie be on the verge of their great comebacks the 1970
give us alien jaws and the exersist but we have lose the creepiness of
the classic universal monster films such a dracula the mummy and my
personal favel the wolfman pop culture h
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.24 0.71 0.25 0.47
terrific modern werewolf film from director joe dante remain one of
his well movies news anchor have a terrify encounter with a lunatic
murderer then decide to seek rest in a isolate colony of weird
characters its about to become a hairy situation wr
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.34 0.33 0.27 0.06
attractive reporter dee wallace stones come to a small health resort
what she doesnt know be that all the resident of this resort be
werewolves the howling be one of my favourite werewolf flicks it
feature some of the well transformation scene ever f
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.58 0.44 0.42 0.02
i realize that this be not one of the much popular film in the howl
series i still havent see howling part of of or but ive read some
pretty bad thing about them the howling be my favorite one yes i pick
it over the of one which seem to be everybody
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.61 0.87 0.3 0.57
after the complete failure of a sequel that howling ii was philippe
mora return for yet another installment try a different more spoofy
approach this time but it didnt work out much better most of the blame
must go not to the direction but to the awf
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.5 0.44 0.39 0.05
howling be yet another horror effort where excellent idea and even the
mood and atmosphere of a horror classic be not cultivate or nurture
throughout the filmi be bring up in the era of the american werewolf
in london definitely the classic archetypa
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.92 0.36 0.35 0.02
the original howling be a fun little werewolf flick nothing too
serious just a simple but original premises some well-handled tension
cool makeup effect and a nice healthy dose of gore and violence to
round thing off compared to its much immediate ri
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.63 0.44 0.26 0.18
this film would have probably be horrible have they take themselves
seriously a fortunately they didnt and consequently create a fascinate
and entertain festival of murder revenge and art deco set design
vincent price be phibes a brilliant organist a
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.48 0.33 0.15
calling this horror doe not make it justice i wouldnt call it movie
either but film its pure art the set and art direction be incredible
the whole movie show the laura of 1920 art decos give it that classy
touch the script be also very original and t
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.82 0.49 0.46 0.03
vincent price play a dead man avenge the surgical team that lose his
wife on the operate table a nine doctor in allbone of them a nurse be
treat to nine of the much innovative creative outlandish death
imaginable the death loosely follow the ten plag
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.05 0.46 0.5 -0.04
there be several actor in cinema that give away terrific performance
all the time no matt what role their cast in theyre always believable
and impressive but then even beyond that there be some actor whore
just born to play certain role and thats the
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.15 0.54 0.34 0.2
dr phies rises again be the sequel to the magnificent the abominable
dr phibes the original film achieve cult classic status through a
magnificent performance from vincent price a the vengeful doctor of
the title and a over the top absurd camp style
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.77 0.49 0.21 0.28
not a good a the of phies movie the abominable dr but jolly good fun
so long a youre not expect a horror movie this be a comedy the double
act of peter jeffrey and john cater a the bumble police officer trout
and waverley be a joy vincent price himse
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.91 0.41 0.29 0.12
may contain spoilers this follow up to the abominable dr phibes just
go to prove that you canst keep a good man down vincent price a
knowingly camp a every tip a nod and a wink to the audience through
his portrayal of byronic romantic hero anton phie
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.67 0.26 0.32 -0.06
theyve get some nerve call this film alien of although certain element
have clearly be inspire by ridley scotts 1979 sci-fi horror classic
the film a a whole couldnt be much different a want tense
claustrophobic space-bound futuristic action not a ch
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.93 0.38 0.31 0.07
the of hour of this film be so painfully slow that it take me over
year to finish it ism not kidding ive have this on vhs since the
mid-90s and every time i try to watch it i would give up 1980 be a
banner year for italian do ripoffs a the film world
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.9 0.49 0.4 0.09
this massively incoherent dumb cheesy and amateurish italian early-
eighties movie-thing reward itself with the title alien of but theres
very little even no relation with ridley scotts sci-fi masterpiece
that single-handedly alter the status of the g
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 9.09 0.3 0.33 -0.03
a lot have be write and say about alien of the unauthorized follow up
of alien i watch it year ago and just can remember the fall head
attack by a alien so i watch it again but my only concern be to catch
the uncut version english language a lot have
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.74 0.3 0.42 -0.12
id hear bad thing about this like it be too slow confusing have too
much potholing in it but after finally watch this i feel the bad dub
and general stupidity of the script not to mention the great
soundtrack by oliver onions carry everything through
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.68 0.37 0.4 -0.03
cmon people look at the title lole i remember see this movie on
saturday late night creature features year ago its a great cheesy
monster flick with hilariously bad act and two wonderfully moronic
hillbilly that add to the schlock factor the redneck
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 3.91 0.16 0.27 -0.11
in oregon a meteor crash into crater lake and heat the water hatch a
dinosaur egg months later fish have vanish from the lake and a huge
dinosaur hunt cattle and human to feed the local sheriff steve hanson
richard cardella investigate the mysterious
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.81 0.56 0.32 0.24
this movie be a great drive-inn 70 sci-fi thriller i know much people
give it bad comment thought since it be suppose to take place at
crater lake instead because of the low budget limitation it be film in
california at some land form lake up there a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.95 0.34 0.6 -0.26
and how they bear you right out of your mind the crater lake monster
be one of the classic bad film from the 70 make with no actor of any
note a embarrass script woeful direction and a tireless desire to fuse
horror with light comedy this movie intro
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.71 0.28 0.22 0.06
despite its budget limitations this be a great film proof that effort
and imagination can overcome lack of cash the opening in which cave-
paintings seem to show how some dinosaur at little survive into the
age of human beings be a nice red herrings a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.54 0.53 0.53 -0.01
my god this movie be horrible i be quite a fan of shark movie and all
that jazz do i look forward to this new installment in the genre
however i must say that this movie be just ridiculous for this movie
to work i think they need to have some humor t
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.76 0.4 0.44 -0.03
i be not expect something a enjoyable or over the top a last years
piranha d but i be at little expect some time kill shark attack fun it
seem however that they couldnt even pull that off the script be
horrific and the plot be ho-hum but much importa
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.34 0.42 0.46 -0.03
seven young and pretty undergraduate head to a seclude lakeside
cottage in louisiana to take a load off and enjoy a wild and crazy
weekend away but thing take a turn for the wrong when a member of the
group be attack by a sharks isolated with no cell
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.3 0.52 0.49 0.02
warning contains spoilers though nothing can spoil this film more than
its artless existence in the first place quite possibly the wrong film
i have ever watch in my of year of life shark night d beat such
classic a demi mooress striptease barring th
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 9.03 0.74 0.38 0.36
this movie start out so great it have that whole jaws go on and it
really look like it be go to be a movie that would pay homage to the
classic jaws movies then it all come crash down hard and go downhill
shark night be without a doubt one of the stu
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.49 0.42 0.4 0.02
ism not a naive person i realize that animal in nature be kill and
sometimes slowly i just dont understand what it have to do with the
film why do they have to have minute of a innocent animal scream
before the huge snake finally coil tight enough to
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.96 0.25 0.31 -0.06
in brooklyn in new york city the drug dealer mike logan john morghen
steal us 100 000 00 from his supplier and flee to colombian the police
detective seek out the touristic guide myrna stern meg fleming who
share her apartment with mike meanwhile the
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.71 0.4 0.48 -0.08
there be so many version of this movie float around that i have
absolutely no idea what be cut from the version i saw and what wasn t
all i know be that it be the recent grindhouse releasing version
expect absolutely nothing from this movie other tha
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.95 0.28 0.39 -0.1
i buy this thing use at a video game stores clearance bind i want to
get that guilty feel from watch something ive be warn be too intense
to watch i want the shock value i want to feel guilty and bad about
watch a banned film i be very disappointed c
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.47 0.34 0.13
professor harold monroe robert kerman aka porn star richard bollay
travel into the jungle of south america to try and discover what
happen to a group of three documentary film maker who have be miss now
for some time after locate a primitive tribe mo
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.87 0.4 0.38 0.02
cannibal holocausts be not the campy little horror flick i expected
its a serious and well-made movie and its a experience you ll hardly
ever forget according to trivium section the movie can only be see
completely uncut in the ec-ultrabit dvd which
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.8 0.55 0.4 0.14
yes this film be ban and heavily censor in a few place for be
disturbing it doe have some really good do gruesome scene but the real
censorship come from the cruelty to animals lets just say this film
doesnt have no animal be harm during production s
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.49 0.25 0.42 -0.17
professor norman boyle paolo malcom move his wife lucy catriona
maccoll and acute a-hem little blonde son giovanni frezza from new
york city to a curse three-story boston house by a cemetery the dig
come complete with creaky floorboards crying moanin
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.02 0.54 0.49 0.05
this film along with city of the living dead and the beyond belong to
the gate of hell trilogy by lucio fulfil the film be not part of the
same story but rather share similar element and all three star the
great screamers catriona maccoll this one to
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.21 0.32 0.43 -0.12
in new york dry norman boyle paolo malcom assume the research about
dry freudstein of his colleague dry petersen who commit suicide after
kill his mistress norman head to boston with his wife lucy boyle
katherine maccoll and their son bobby giovanni
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.05 0.76 0.42 0.34
now this be how a zombie film should be made whilst lucio fuci never
have the creative genius of dario argentol in profonde rosso tenebrae
and suspiria he certainly know how to make a good old fashion zombie
gore movie in zombi or zombie flesh eaters
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.54 0.65 0.32 0.32
of getting reception for new york city radio station be easy than youd
think on the island of matool of molotov cocktail be easy to ignites
but the flame they produce rarely stay light if youre throw much than
one at a time of dry menard like his boo
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.5 0.48 0.43 0.05
zombi zombie zombie flesh eaters be a classic gore fill zombie film in
italy its class a a sequel to george a romeros dawn of the dead since
in italy its call zombie but in other part of the world they class it
a a separate film and name it something
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.92 0.62 0.27 0.35
zombie be right up there with romeros film in term of quality you dont
have to be a zombie fan to like this film directed by lucio fulfil
this movie be one of the well italian horror film ever made its a
shame its not a famous a romeros series the vi
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.84 0.72 0.59 0.13
as co-founder of nicko joes bad film club show here in the uke all i
can do be stand on my chair and applaud wildly a true true instance of
a great bad movie its come a very close a to shark attack of which be
of course the best bad shark movie ever
Movie title: Cruel Jaws
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.52 0.4 0.55 -0.15
disregard the many negative review of this film below it be actually a
odd little hide gems the story be about a man who win a card game
against christopher lee who then give him his large old house the man
move into the house with his family and the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.12 0.34 0.33 0.01
the heavy-handed criticism level at this film by certain reviewer be
mostly irrelevant this film have merit far-beyond be a simple freddy
krueger rip-off and be not i suspect intend to be that scary its
british humour of the high order and along with
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.71 0.37 0.42 -0.05
the maker of funny man seem to have want to create a 100 english
version of such wisecrack horror figure a freddy krueger and the
figure theyve choose seem on the mark hers a live embodiment of a
joker from a deck of cards a other joker jester image
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.78 0.5 0.51 -0.02
not in the little bite funny this comedy horror was although it break
my heart to say it make in britain and although it pain my very soul
to admit it star christopher lee how the mighty have fallen poor old
lee we canst blame him for appear in this
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.02 0.43 0.6 -0.17
i canst for the life of me understand what the heck the user who post
about this movie before me be on when they comment it i buy this movie
at a supermarket wholesale at about $1 50 bundled with another crappy
horror movie and it be still one of the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.93 0.33 0.33 0.0
you have to see this movie much than once to understand and figure out
whats go oncin short after be reanimate from the dead greta von
holstein ewa aulin seeks revenge on a lover who jilt her by fake a
carriage accident and cause the death of its dri
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.93 0.35 0.42 -0.07
this early d amato film bear some affinity to the work of mario naval
be a with century gothic horror long on style and atmosphere if short
on coherence the basic plot involve a brother who raise his sister
from the dead using a old incan ritual in o
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.71 0.48 0.47 0.01
1906 greta ewa ruling be rape by her brother the hunchback franz
luciano rossi they become lovers one day she meet dry von ravensbrück
its love at of sight her brother franz see it all with bitter eyes
greta get pregnant from dry von ravensbrück gret
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.39 0.32 0.07
in the mid 70s a a year old i be watch the late show and during
commercial i change the station to channel in atlanta gap a they be
show this little gems and i catch a few minute of it a it take me year
before i can see it on tv again and i have to r
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.59 0.46 0.49 -0.02
el nuque maldito suffer from several alternate titles perhaps
distributor fear a stigma if it be out in the open about be the a of
the blind dead movies amando ossorio delight that that follow the
blind dead series with a a installment i have to admi
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.17 0.41 0.45 -0.04
this film be my of introduction to the severely underrate blind dead
mythos despite their age they stand a some of the much hauntingly
eerie and frighten horror film of all time the film center for its of
half around two model we shall call them of a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.97 0.26 0.28 -0.02
the blind dead leave the sanctuary of the templars crumble monastery
for the a in the series the float fright-fest horror of the zombies
aka the ghost galleon if there be ever a film thats root firmly in the
decade from which it sprung its this one a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.01 0.46 0.43 0.03
first of all horror of the zombies the title of the version i saw make
it sound like the movie be about something that scare the live dead
this turn out not to be the cases if fact this arent conventional
zombies at all they be much like undead pirat
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.66 0.31 0.41 -0.1
what happen when you combine the lower-echelon of actors guild with
what appear to be the masterful effect of a high school edit suite you
get this oh-so-very-bad film from the outset you know its bad and the
producer dont seem to want to hide from t
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.51 0.74 0.5 0.23
this movie be so bad the gore be pretty cheesy the act be terrible
every time someone be killed we bust out laugh at how horrible it was
i agree with the other poster tho the strip club scene be pretty
amusing however it be a like a train-wreck we co
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.5 0.5 0.22 0.28
ok for that who dont know who peter bark is but have see this film he
be the strange little boy who look like a man and actually be a adult
too- we hope every time i get down and depress and want to end it all
i put this movie in and i be remind of h
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.45 0.29 0.28 0.01
this be definitely my favorite zombie movie its really unfortunate
that it be so hard to find and it go by so many different names i rent
it of a zombie but i purchase it under the title burial ground i
believe that it also go by its original italian
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.03 0.49 0.46 0.03
a movie of such bombastic ineptitude its not unlike watch sam taimi
try to direct a movie while at the same time be gang beat by a group
with electric cattle prod until hers stupid and even then thats
probably give bianchi much credit than he deserve
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.63 0.46 0.28 0.18
wowf this movie be awesome i love it burial ground be over a hour of
the well non-stop zombie action ive ever seen theres a brief attack at
the very begin on some professor a few obligatory sex scene in which
we meet the main characters and then befo
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.32 0.36 0.28 0.08
i canst explain why i pick up the dvds dog soldiers off the video
store shelf a the box art consist of poorly draw wolf and there be a
tag line that read from the producer of hellraiser a normally this
combination would have me wipe down the cover in
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.81 0.79 0.54 0.25
brillant i must admit that i be pretty skeptical when i pick it up
from the rack at my dvd retailer a werewolf movie arent they generally
so bad no one want to watch them buy them the fact that it be on sale
didnt help but i brace myself and get it f
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.76 0.73 0.3 0.43
if you be like me and be completely sick to death of the teen college
slasher horror that hollywood seem to produce by the week then dog
soldiers be then film for you this film have everything for the true
horror fan a great story good act lot of blo
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.25 0.59 0.33 0.27
when i get this movie i be expect cheesy american movie about soldier
against people in rubber wolf masks how much much wrong can i have
been this movie be brilliant and a refresh change from all the
hollywood junk about killer doll and such by the m
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.97 0.53 0.4 0.12
dog soldiers 2002 be my numb favorite well werewolf film of all time a
true horror classic i love this film to death and it be my favorite
action horror werewolf film in the horror genre it be numb because it
be simple it be soldier and werewolf and
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.25 0.37 0.54 -0.18
i remember devil dog play on tbs almost year ago and my old sister and
her friend watch it and laugh all the next day its not that bad for a
made-for-tv horror movie but it be derivative mostly of the exorcist
and businesslike for lack of a well word
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.66 0.47 0.33 0.14
i run across this several year ago while channel surf on a sunday
afternoon though it be obviously a cheesy tv movie from the 70s the
direction and score be good do enough that it grab my attention and
indeed i be hook and have to watch it through to
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.27 0.35 0.39 -0.03
boasting a all-star cast so impressive that it almost seem like the
mad mad mad mad world of horror pictures the sentinel 1977 be
nevertheless a effectively creepy film center on the relatively
unknown actress cristina raines in this one she play a f
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.6 0.58 0.28 0.3
bizarre horror movie fill with famous face but steal by cristina
raines later of tvs flamingo road a a pretty but somewhat unstable
model with a gummy smile who be slate to pay for her attempt suicide
by guard the gateway to hell the scene with raine
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.26 0.28 0.19 0.09
alison parker cristina raines be a successful top model live with the
lawyer german chris sarandon in his apartments she try to commit
suicide twice in the past the of time when she be a teenager and see
her father cheat her mother with two woman in
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.1 0.35 0.32 0.04
not this be not a great movie but i give the cast director extra star
for the cast ava gardner eli wallache chris sarandon john carradine
burgess meredith a very young christopher walked the be quite handsome
then beverly d ángelo and jerry orbach am
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.63 0.42 0.2
bored with the normal run-of-the-mill staple film to watch this
halloween that ive see over and over again i take a chance on the
sentinel hope it can get my horror juice flow again a mind you i have
just come back from see the dark castle remake of
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.38 0.49 0.36 0.13
ism rather pleasantly surprise after see ghost ship a i expect it to
be a lot sillier much dumb and inferior than it actually is still a
long way from be a good horror film but a step in the right direction
to say the least cast and crow pay attentio
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.33 0.46 0.33 0.13
the a movie produce by the production company dark castle and manage
by joel silver and robert zemeckis ghost ship 2002 mark a step forward
and constitute a neat improvement in comparison with the two previous
movies the house on the haunted hill 199
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.76 0.4 0.19 0.22
the savage team of a tug be ready to rest after the transportation of
a platform when they be celebrate in a bare the plane pilot jack
berriman desmond harrington offer them the chance of rescue a
passenger vessel vanish in the ocean in 1962 captain
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.92 0.52 0.42 0.1
amazingly entertain and completely stupid italian horror a pop group
purchase a mysterious unpublished paganini melody from a mysterious
old man turns out its the evil melody he write to sell his soul to
satan or something anyway when the band play t
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.66 0.31 0.32 -0.01
the female rock and roll band form by kate jasmine main elena michel
klippstein and rita luana ravegnini want to release a new album but
their producer lavinia maria cristina mastrangeli refuse since their
song be very poor their friend daniel pascal
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.14 0.43 0.44 -0.01
when a predominantly female rock band be lambaste by their producer
for fail to write a decent tune their male drummer purchase a
unpublished score write by violinist paganini who be rumour to have
murder his wife and sell his soul to the devil in ex
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.28 0.43 0.54 -0.1
paganini horror isnt a masterpiece but it be a solid horror flick that
will keep almost all horror fan entertained the acting apart from
daria nicolodi deep red tenebre and donald pleasance phenomena
halloween is pretty bad and the rock music be extr
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.14 0.45 0.37 0.07
only really need to say absolute garbage of the high order and like
the ebola virus it should be avoid at all cost even for free or bore
to death do not attempt to watch this drivel its truly shocking linda
hamilton career have spin-dry into the barg
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.46 0.48 0.45 0.02
the presidents plane go down over the bermuda triangle it submerge
quickly elements of the us navy go to the last know position and start
surveillances some huge tentacle rise out of the ocean and do a lot of
damaged trip oliver lead a team on a subm
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.92 0.52 0.56 -0.04
okay bermuda tentacles may not be the wrong say have do or quite down
there but it be incredibly bad and wrong than any of their offering
from last years it look cheap good the photography be okay if rather
drab but the edit be choppy and the whole m
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.54 0.58 0.47 0.1
hi guys every time i see one of this movies i say they canst get any
worse then i watch the next one and its worse this one really sucked
the marine or what ever they be didnt even shave and the woman have
about a pound of makeup slap on them i also
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.95 0.38 0.38 -0.01
heading into the amazons a documentary team study a long-lost tribe
run afoul of a hunter search for a legendary anaconda and be force to
help him track the deadly creature this be a decent and quite
enjoyable creature features one of the well featur
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.92 0.48 0.45 0.03
its a stupid b-movie with enough quality to fly by and enough camp
charm to get away with such cinematic crimes the cast play it straight
apart from vight ism pretty sure he be drink during the shooting come
out with a inexplicable accent and a look
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.1 0.56 0.53 0.03
before there be snakes on a plane there be anaconda a hollywood
b-movie from the late 90 that be a notorious for its mix bag of actor
a it be for the gruesome snake that populate its plot in the film a
group of documentary film-makers travel through
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.57 0.5 0.36 0.14
growing up in the 50 give me the privilege of be one the last
generation of filmgoers to enjoy the saturday afternoon double-feature
matinee experience at the neighborhood theatre these double-features
be primarily low budget sci-fi epic with slender
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 8.1 0.5 0.71 -0.21
there be two way to see this film and rate it as a movie that turn out
to be much wrong than it intend to be in which case its obvious that a
actor like jon vight would overact to try and make it look like it be
intend to be bad the special fix inten
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.2 0.54 0.36 0.18
years ago the people grow so greedy and hedonistic that they be no
long satisfy with worship a mythical god so the queen have sex with a
bull and produce the minotaur didnt turn out so good a few death be
involved and the creature be place in a labyr
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.54 0.52 0.45 0.07
welcome to the citizen kane of sci-fi channel movies not that minotaur
be faultless its just competent on so many much level than your
average sci fi-schlock fest that it appear great in comparison we have
some actual act go on granted there be some
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.86 0.76 0.29 0.47
ah minotaur see this movie in my tv-guide on a lazy saturday night the
review that come with it wasnt that good but i have nothing well to do
so i just give it a go surprisingly the story keep me entertain for
the whole of minutes tony todd be a real
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.56 0.55 0.01
cheaply make horror film from the 70 that be surprisingly well than
you may initially expect the film open in romania a soldier uncover
the underground tomb of the dracula family a soldier pull the stake
out of a puffy sheet in a open casket and be s
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.38 0.34 0.37 -0.03
blending the vampire and creature feature themes albert bands zoltan
be a haunt filmscape canvass dracula faithful undead servant veldt
schmidt nalder and bloodhound name zoltan awake from their eternal
slumber to locate dracula last know descendant
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.96 0.57 0.41 0.16
this film be great dog lover should get a kick out of this movie
seeing zoltai lick his chop after bite both human and fellow dog be
worth a chuckle or two the reinfeld-type character be probably the
ugly human be i have ever seen pataki see in many
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.3 0.46 0.29 0.17
in general terms the basic premise of both original 1942 cat people
and the 1982 paul schrader remake be the same a exotic european beauty
be give to transform into a black panther when sexually aroused but
schrader unravel this fantasy concept in so
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.46 0.46 0.3 0.17
after look for year for his long lose sister irena dallier nastassja
kinski paul malcolm mcdowell finally find her and have her come to new
orleans where hers currently living while there she gradually discover
the truth about their bizarre past and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.91 0.46 0.31 0.15
this 80s film be much of a love story than a horror although it doe
have a few fairly horrific scene in in particular a rather graphic
scene where a zoo worker have his arm rip off by a black panther the
film open in the prehistoric past with a girl
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.51 0.42 0.31 0.11
despite have be young semi-conscious i be under five year old and
possess few actual memory of the nineteen eighties the decade have a
certain personal eroticism for me the powdery skin shimmer camera-work
the outrageous kink and camp of the clothing
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.72 0.36 0.25 0.11
erotic thriller with nastassia kinship star a a young female whoas go
search for her own inner self in many way a remake of the 1942
original but also in many way not a remake a film that stand its own
ground this have a quality of sexual awaken and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.81 0.5 0.7 -0.2
allow me to save you of by offer something you can do at home that be
just a entertain a watch this movie go get a load of white and throw
it in your dryer now add in one red sock make sure everything spin-dry
so you dont end up with a bunch of pink
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.0 0.48 0.42 0.06
i wasnt angry about the fog remake until i hear that it be go to be
release by revolution studios a company know to house crap movies from
then on my hope werent that high and they sink even low when i see the
trailer it look to much like boogeyman o
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.91 0.78 0.27 0.51
i be so disappoint about this when i of hear they be remake it i be
worried but give it every chance to actually be good it wasn t
everything that be good in the original be ruin in this one there be
no atmosphere to it it be just a bunch of overly-b
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.87 0.48 0.41 0.07
john carpenters name be synonymous with horror films a few film be not
good received but hers go on to develop a cult status his movie the
fog be not consider a huge hit but have become near and dear to many
horror film lover bloody hearts so when it
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.69 0.55 0.38 0.17
i recently see the fog and then read a lot of the review post on iadb
about it in my opinion you people be be too easy on it can you rate
anything below a of can i give a negative rate to this film and much
of all ism write revolution studios and dem
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.23 0.33 0.28 0.05
since the original film be release back in the 1970s major advance in
special effect have buy some truly brilliant films unfortunately the
man in a furry coat doe not advertise this say advances the slow
motion sequence do add to the feel of the film
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.6 0.69 0.49 0.19
in all honesty i wasnt expect much and once again i didnt get much
certainly i have see much wrong than snow beast but overall i find it
lame with the only really good attribute be the scenery and john
schneider performance the effect be really not v
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.62 0.48 0.15
i have never hear of this movie and be a bite hesitant about watch it
think that this would be just another movie load down with lame
digital special effects i decide id record it on my der while i be at
work and watch it the next day ive actually ne
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.74 0.43 0.58 -0.15
the gastro zombie be a man in a rubber mask the male lead try to keep
a straight face while spout ridiculous dialogue tura satan wear exotic
outfits makeup and eyelash which give the movie some camp appeal you
ll have a hard time figure out the plot
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.94 0.31 0.29 0.03
dont listen to that who claim this isnt a so-bad-it film its
terrifically lousy and laughably great from the dull mute library
music to the stock footage of la police car to what have to be the of
unnecessary nude-dancer scene since then a staple of
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.76 0.42 0.49 -0.06
word on the street have it that the astro-zombies be one of the wrong
film of all time right down there with plan robot monster and the
beast of yucca flats and for once the word on the street be right this
movie really is a incredible stinker in eve
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.57 0.7 0.3 0.4
i like this make for tv movie about a cryogenetically freeze body be
bring back to life beck play the cold-hearted lad who die ten year ago
and be freeze by his mother wait for a chance for science to bring him
back via new medical technology his cyl
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.75 0.38 0.25 0.13
with this endeavour director wes craven will not in all probability
please many enthusiast of his other films the majority of which
involve a good deal of violence and bloodlettings but he doe a
workmanlike job with this account of storage cryogeny w
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.22 0.36 0.36 0.01
corporate exec miles creighton becky dies and be cryogenically freeze
in the hope that he can be revived ten year later the procedure be a
success and miles return -- without his souls you have director wes
cravens writer j do feigelson dark night of
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.53 0.53 0.48 0.05
there must have be a law in the 1980 that state that if you be to make
a a film to a set of horror movie you must make them in 3-d a this be
one of them along with other such fine film a jaws 3-d and friday the
with part iii in 3-d sad to say but i e
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.65 0.38 0.29 0.09
probably the well movie of the series i think okay thats not say much
but its actually quite enjoyable and probably the strongest plot wise
magazine writer who happen to debunk psychic end up buy the infamous
house for cheap blackmail the current own
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.46 0.37 0.1
night of the living dead and the texas chainsaw massacre be two film
that receive a unanimous critical bash when they be of released but be
now look upon a ground-breaking horror masterpieces that be also a
classification that can be use to describe
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.74 0.43 0.34 0.09
while i think that people tend to get a bite hyperbolic when they talk
about the last house on the left i do think its a fairly good film
especially give what the filmmakers be try to do and consider their
lack of experienced the era and the budget a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.43 0.5 0.36 0.14
i have see some film literally dozen of times they will remain
nameless but they be there some of that film be pure entertainment and
have leave a obvious mark on me i have see last house on the left four
times and there be no film that have leave mu
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.65 0.34 0.36 -0.02
i of see last house on the left at the age of of at the drive in with
my well girlfriend this movie a early outing by horror maven wes
craven be so disturb to me that of year late i be still haunt by the
image on the screen the story of young girls a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.02 0.57 0.32 0.26
very funny movie by roger norman about a hapless busboy who work in a
fifty coffee shop and want much than anything to be accept by the
beatnik in-crowd he be prevent from do so however by his complete lack
of artistic talent not that much of the reg
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.1 0.45 0.36 0.08
not include almost every entry in the terrific edgar allen poe cycle
he did a bucket of blood unquestionable be roger commands well and
much entertain film and a coincidentally or not a this movie also
contain many reference towards poe a walled-up c
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.18 0.39 0.29 0.1
the lost boys 1987 be one of the well and the great vampire flicks
ever made a true schumacher masterpiece and a classic horror film i
love the lost boys so much it be one of the well true horror movie
ever make from the 80 i always love this movie s
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.69 0.83 0.29 0.54
the lost boys be one of the movie that i think epitomize the 1980 it
have a genuine 80 look and feel a good a a awesome soundtrack and some
fantastic performance by 80 legend like corey feldman this movie
really draw you into it and make you feel lik
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.06 0.87 0.33 0.54
this movie to me be much of a comedy than a horror a the scene i
remember much be the funny ones a not to say it be a pure comedy it
isn t a it be though a very good vampire tale a the cast be superb
even corey haim and feldman a this be definitely t
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.91 0.46 0.32 0.14
one thing i can always promise you be that when people talk about the
well vampire movie of all time the lost boys be guarantee to be on
their list in the 1980 film be all about action sex appeal muscle and
very good look teenagers joel schumacher wh
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.28 0.59 0.33 0.27
let me preface this by say that i do not view the trailer before i see
this movie nor do i really know anything about it i do not know if
that will lessen the impact at all but it may not sure what they show
in the trailer writer producer director mc
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.14 0.4 0.33 0.06
i be thrill to see a movie like wolf creek come out in theatres a
straightforward horror film not rely on clever twist except one small
one or gimmicks it be the kind of film high tension start off a before
that last act mindf ck and while i end up a
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.12 0.48 0.45 0.03
wowf like many other movie i review i literally only just see this and
i must say that ism impress with the sac this be a truly horrific
movie the highlights unknown cast- give the movie a very realistic
atmosphere i be so happy to realise that none
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.78 0.68 0.43 0.24
wolf creek be a fine example of a rare breed nowadays a horror film
that pull no punch and make no apology for frighten and unnerve the
audience three young people be hike in the australian outback when
theyre unlucky enough to meet mick taylor playe
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.89 0.3 0.24 0.07
wolf creek be very loosely base on a true story of the real-life
serial killer ivan milat who be convict of kill backpacker and dump
their body in the belangalo forest australia one of his intend victims
young british guy managed to escape and be ins
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.85 0.38 0.36 0.02
many people have make the connection to the friday the with series
with sleepaway camp for obvious reasons a they both come out within a
few year of each other and all the action take place at a summer camp
a however the primary theme in the friday t
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.22 0.55 0.48 0.07
horror film seem the easy way to make a quick buck in the 80 a there
be a abundance of them that grace video a i dont think half of them
actually make it to the big screen a you can add sleepaway camp to
that list a this be a typical scary film a it
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.56 0.46 0.39 0.08
this 1983 horror slasher gem be write and direct by of time director
robert hiltzik the story begin with a boat accident which kill the
main character angels father and brother we then move forward in time
now angela be live with her aunt martha and
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.53 0.47 0.36 0.11
it have be year since i see this movie but i remember the key elements
young girl be harass at camp her bully start dye off unforgettable
ending i just never realize how big of a classic this really is for
that of you who dont know the film start off
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.19 0.4 0.39 0.01
robert hiltzik sleepaway camp be one of the much memorable slasher
movie ever made of course the act and dialogue be terrible but writer
director robert hiltzik manage to create very creepy atmosphere
throughout the killing be original and gruesome a
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.44 0.49 0.38 0.12
the greenskeeper tell the tale of the summerisle country club golf
course its assistant greenskeeper allen anderson allelon ruggiero its
the day of his with birthday lately allen have be suffer from horrible
nightmares his step-dad john bruce taylor
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.8 0.72 0.3 0.42
in some strange way i see this a caddyshack friday the 13th scary
movie half-baked all mix in a cauldron with the kentucky fried movie
stir up the mix a you have over-the-top privilege teensy a scheme old
man the old mentor type character a reclusive
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.35 0.41 0.45 -0.04
what save this film be that the tone be just right funny and laidback
and tongue in cheeks no cure for cancer just a groovy goodtime a the
actor be all comfortable in front of the camera especially the lead
actor who just stroll through his scene wit
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.37 0.37 1.27 -0.9
after dentist ice-cream man plumber repairman and so on at last even a
greenskeeper get the spotlight a slasher killer numb 600 and so in
this so bad and so stupid be fun variation on the slasher theme it be
worth a rental to get a few laugh for the
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.49 0.49 0.49 -0.01
picked this sucker up in the bargain bin at probably the last remain
video store in txt when i see score by skip winger how can i resist
overall i would say its a satisfy view experience if you be in the
right frame of mind its slow at of with some p
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.69 0.7 0.4 0.29
after witness his wife linda hoffman engage in sexual act with the
pool boy the already somewhat unstable dentist dry veinstone corbin
bernsen completely snap which mean deep trouble for his patients this
delightful semi-original and entertain horror
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.5 0.38 0.31 0.07
i remember this movie in particular when i be a teenager my well
friend be tell me all about this movie and how it freak her out a a
kid of course be the blood thirsty gal that i am i have to go out and
find this movie now i dont know how to put this
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.64 0.54 0.58 -0.04
the dentist be a uneven but quite effective little horror comedy that
try and succeeds at easy audience manipulation the universal fear of
dental pain will be amplify after just one view of this gorefest
corbin bensen the of law law fame isnt bad a d
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.29 0.46 0.35 0.1
i be never go to the dentist again unless i see his wife beforehand if
he have some delicious piece of candy like linda hoffman ill pass
corbin bensen play a dement dentist to perfection he wasnt dement at
the start only after he catch his precious w
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 3.73 0.3 0.49 -0.19
this gem for gore lover be extremely underrated its pure delight and
fun gratuitous serving of blood insanity and black humor which can
please even the much demand lover of the genre a full exploitation of
the almost universal fear of dentist and fla
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.72 0.49 0.29 0.2
this movie seem to be either love or hated those that love it seem to
be argentol fan that have succumb to the style and imagination those
that hate it seem to get annoy at script flaws soundtracks actor most
of the criticizers seem to have miss the
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.25 0.34 0.32 0.01
my review be base on uncut italian print which run 110 minutes young
jennifer connelly can communicate telepathically with insects the area
she arrive in be be terrorize by a psychotic killer who have be murder
coeds and make off with their decapitat
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.02 0.45 0.35 0.1
phenomena have long be one of my favourite dario argentol films it
definitely seem to be a love-it-or-hate-it kind of film even much so
than much argentose and i think its his much unjustly underrate piece
of work to date 14-year-old jennifer connell
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.07 0.32 0.26 0.06
in switzerland the teenager jennifer corvina jennifer connelly
daughter of a famous actor arrive in a expensive board school and
share her room with the french schoolmate sophie federica mastroianni
jennifer be a sleepwalker be capable of telepathica
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.1 0.4 0.26 0.14
this is a review of the uncut version dario argentous phenomena of
1985 be a absolute masterpiece of horror come along with a ingenious
soundtrack by goblins argentol have enrich the horror giallo genre by
quite a bunch of brilliant films include suc
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.7 0.39 0.41 -0.03
this be a genuinely frighten story with correct utilization of images-
shock skill edition and eerie image lucio fulfils main great success
along with zombie of be compel direct with startle gory visual content
its a creepy horror film plenty of bruta
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.18 0.35 0.44 -0.09
the gates of hell be another masterpiece direct by one of the well
horror director lucio fulci fulci who sadly die in 1996 was a real
artist anyway this film concern a priest commit suicide and open the
gateway to hell allowing the dead to rise from
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.59 0.39 0.27 0.12
my rate of course only apply to the sort of people whole decide that
they like this movie even before they watch it like me for anyone else
this movie be a total zero evils of the night have some alien seek
human blood a the key to eternal life and w
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.64 0.47 0.42 0.05
if this reviews correspond rate be base on technical prowess or
filmmaking story quality it would naturally be low indeed but it
supply a substantial amount of entertainment value this be cheeseball
crud at its finest while on one hand this viewer do
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 3.85 0.27 0.37 -0.1
kolmar the ubiquitous john carradine look very wear and wizened parma
leggy eyeful julie newmark batwoman on batman and cora a haggard tina
louise ginger on gilligan island be a trio of evil alien who need the
blood of young folk so they can make a y
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.57 0.36 0.33 0.03
as a result of be wrongfully accuse of murder a doctor and be put in a
mental institutions arnold masters plan bloody vengeance on everyone
directly or indirectly responsible for the death of his poor old
mother luckily for him he inherit a medallion
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.35 0.55 0.44 0.11
kurilian photography be feature throughout this intrigue film although
promote a horror the sci-fi element be strong mental patient jim
hutton eliminate his enemy with accidents carry out through psychic
phenomena naturally this series of bizarre kil
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.6 0.4 0.43 -0.03
psychic killer be certainly a effective little horror film very much a
product of its era its a film with many flaws not little the shoddy
construction of certain scene and the general slow pace that never pay
off but at the same time it remain inter
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.73 0.48 0.33 0.14
psycho killer flick be a penny a dozen but at little this one have
something about it psychic killer be release before the slasher craze
really kick off and be surprisingly much original than many film in
its class the idea behind the plot is of cour
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.66 0.43 0.34 0.09
its the classic story of good brother vs bad brother a the vampire son
of old king vlad handsome noble bore stefan and hideous jealous
scheming fascinate radu battle over the right to their inheritance at
stake sorry be ancient castle vladislas play
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.86 0.37 0.31 0.06
thank you full moon pictures for restore vileness to the vampire
anders hover a the villainous radu be the type of fiendish demonic
monster that all vampire should be yet people today thank to genre
rapist like anne rice would rather watch vampire ga
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.47 0.44 0.26 0.18
this be one of my all time favorite cheap corny vampire movies calvin
klein underwear model i means stefan the good vampires return to
transylvania to ascend the throne of vampiric royalty but manicure-
impaired and eternally drool half brother radu h
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.09 0.42 0.47 -0.05
subspecies like many other horror films get a raw deal on the majority
of movie-watchers have a hearty contempt for horror and when they
occasionally rend horror films they either want to laugh at them or
cringe at excessively gory scenes unfortunate
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.11 0.42 0.27 0.15
guillermo del torous stylish and original take on the vampire legend
be one of the much strangely overlook and underrate film of the 1990
its film like this that make me want to watch film film that be fresh
unpredictable and so rich in symbolism tha
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.15 0.48 0.33 0.15
severely underrate on this website cronos be a engage tale that
captivate the viewer for the entirety of its duration guillermo del
torous of ever film be a thoughtful heart-wrenching story which above
all manage to be fresh intrigue and unique while
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 8.91 0.39 1.15 -0.76
this movie isnt bad because it doesnt feature villain myers its bad
because the act be terrible the song be irritate and the story be
stupid i just try to get through it a part of a halloween marathon
give see the whole thing before but it just sucks
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 8.23 0.64 0.54 0.1
this movie was well strange first off the title be halloween of for
that of us who have see john carpenters halloween we think myers kill
people but this movie doesnt even have myers in it so why be it call
halloween of second even if this movie stan
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.66 0.35 0.72 -0.37
i know this movie have its defenders but my lord it pretty bad the
lore be atrocious the motivation be inaner the lead guy be unknowingly
despicable however that song be perfect
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.26 1.01 0.47 0.54
do i really need to say anything else then i hate this terrible movie
everything that be great about one and good about two have be removed
it look and feel cheap and tacky the of one be so slick good made and
good filmed this one look like a cheap 8
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.45 0.52 0.32 0.19
i really like the idea of make halloween series a a anthology but if
they make this film good the producer would have be successful and
they can continue the anthology a what they wanted but a of people
love myers just too much and nobody can blame t
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.95 0.39 0.29 0.1
yes i give the film out of ism not proud where this movie be concern i
have no shame i love this movie from the moment i see it on new yorks
creature features way back in the late 1960 a a five year oldest five
this movie scare the crap out of me now
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.99 0.54 0.28 0.26
this movie be release with the low of budget but at a time when
similarly themed movie be make just a cheaply a admittedly the last
time i see this movie be probably 1957 but it still stay in my mind
because the monster seem impossible to defeat up u
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.83 0.31 0.28 0.03
from pasto colombia via law can calix colombia and orlando fl nine
years old a thats how old i be when crab monsters be released when do
i become a movie junkie probably from age or of who knows maybe even
of when the conversation turn to that schloc
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.46 0.48 0.27 0.21
it bizarre preposterous silly campy creepy a bite gory a little scary
and a whole lot of fun where doe one begin with a film such a this
campy creepy bizarre for its time quite shock a decapitation and a
favorite of year to of year old boy watch chil
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.48 0.5 0.54 -0.04
the renowned plastic surgeon dry frank flamant helmut berger own the
clinique des mimosas in saint clouds while shop in paris during
christmas with his beloved sister ingrid flamant christiane jeans and
his lover and the head of the clinic nathalie b
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.73 0.36 0.33 0.03
jess francois faceless be late 80 euro-exploitation with the typical
storyline of early 60 euro-exploitation namely a celebrate surgeon who
kidnap and kill beautiful woman in order to restore the beauty of his
own sister whoas face get horribly defor
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.19 0.54 0.32 0.21
prolific director jess franco make a lot of crap during his career but
in his filmography there be several hide gem and faceless be
definitely one of them true to francois style the film be trashy and
sleazy throughout but its the eighty atmosphere t
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.46 0.64 0.38 0.26
a wealthy father hire a private eye to go to france and track down his
miss daughter her disappearance can be attribute to a plastic surgeons
secret set-up in which he and his assistant kidnap young lady and keep
them in the clinics basement a year a
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.27 0.57 0.3 0.28
first off understand my rate of ilsa ilsa by general movie standard be
not a good movie if you be to put it up against any of the so call
classic movies it would not stand up but that who search out ilsa she
wolf of the ss or any of the other in the
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.03 0.78 0.59 0.19
when this movie of come out in the 70 it be a and street style
grindhouse pleaser that would have shock mainstream audiences however
with the advent of video few will be so shock today ilsa be impossible
to take seriously sure medical torture be carr
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.42 0.46 0.33 0.13
ilsa she wolf of the ss be the of in the infamous series of
exploitation film feature buxom ball-breaker dyanne thorned these film
be a classic example of true exploitation cinema and should be check
out by any fan of extreme or exploitation films sh
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.69 0.7 0.46 0.24
this be one of that rare small movie which have a great plot decent
special effect for the time and good acting for the horror fan who doe
not require gore and shock value to enjoy a movie this be a real
treaty there be some minor flaw if you look cl
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.1 0.55 0.34 0.21
avoiding death and what happen when we die have be recur theme
throughout all art form since the dawn of time despite the fact that
there be a lot of film that handle similar themes the asphyxy stand
out for its original and intrigue exactions the fi
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.47 0.75 0.41 0.34
ism a big fan of hope lovecraft and this story have all the classic
elements this be classic horror set in edwardian england an amaze
discovery allow the character a chance at immortality but a with all
delve into the occult this one be fraught with
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.21 0.37 0.27 0.1
the asphyxy a a the horror of death be one of the much original yet
unheralded english horror films set in 1870 england aristocrat sir
hugo robert stephens accidentally photograph a entity mythological
name asphyxy enter a persons body at their death
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.84 0.35 0.37 -0.02
when the asphyxy be release in 1973 the exorcist be about to change
the landscape of horror forever move the genre away from subtlety and
into the realm of graphic effect and makeup thats one of the reason
why the asphyxy be a box-office flop fondly
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.75 0.57 0.27 0.3
the reptile be famous for the fact that it utilise the same set a the
brilliant plague of the zombies and a such you would expect the rest
of the film not to be up to hammers usual standards this couldnt be
far from the truth while this may not be ha
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.98 0.56 0.35 0.21
ray barrett and jennifer daniel inherit a small cottage in cornwall
barrettes brother die under mysterious circumstances and the new
couple soon see that people be not very friendly in the country john
gilling make this the same time he direct plague
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.4 0.39 0.34 0.05
upon the mysterious death of his brother harry spalding gray barrett
and his wife valerie jennifer daniel decide to move to the inherit
cottage in a small village in the cornish countryside on arrival in
the village they be receive coldly by the loca
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.38 0.63 0.45 0.18
a young couple harry and valerie spalding inherit and move into a
small cottage previously own by the husbands now decease brother
charles charles death be something of a mystery but none of the local
in the small cornish village want to discuss it o
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.97 0.52 0.43 0.09
take my word on this a tower of evil be a must see if youre a admirer
of raw vicious and undiscovered horror this film be so much fun i
canst believe i just find out about it now its cheap and nasty but
very imaginative and spirited tower of evil be
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.13 0.36 0.49 -0.12
as early was horror flick go tower of evil a a horror of snape island
have a greater-than-expected amount of sex and goree unfortunately the
script be pretty stupid and the performance be generally bad ruin what
might ve be a decent little chillers s
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.15 0.33 0.38 -0.04
tower of evil aspect ratio 85 1sound format monowhilst search for
ancient treasure on a lighthouse-island off the british coastlines a
archaeological expedition become isolate from the mainland and be
stalk by a monstrous assassin trash classic from
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.79 0.49 0.36 0.13
sexy vintage british horror tale pack with traditional atmospheric fog
shade of gothic and hot young flesh from the firm buttock of the hunky
man to the smooth perky breast of the women this film exploit the 70
free love era three interconnect tale r
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.27 0.4 0.45 -0.05
i know your think cellar dwellers that sound like a poor sad excuse of
a horror film with camp act and a low budget monster i dont think ill
bother with that well much fool you yes it have camp act and yes it
have a low budget monster but what do you
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.53 0.31 0.36 -0.05
this be a fun little horror film about a comic-book artist play by
jeffrey combs freak whose creation come to life and kill him in 1950
now the monster still hide in the basement of his house which be a
home to a group of artists cellar dwellers be a
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.64 0.33 0.28 0.05
one can do wrong than this if theyre partial to the cheese horror of
the 1980s a decade when the genre really come to life not that its
anything special at all but it is reasonably amuse and thankfully
pretty short in duration 78 minute all told a pr
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.14 0.73 0.43 0.3
cellar dweller 1988 be a 80 horror classic in my bookit be good fun it
have a interest plot and its short run time mean that it never outstay
its welcomed i love 80 horror and this be one of the memorable ones
for it have a really cool monster and it
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.53 0.39 0.36 0.03
this really isnt too bad a film and be certainly a worthy sequel to
the original piranha work because it be tongue-in-cheek make fun of
the film it be parodying piranha ii try to be much serious but be so
cheesy that it manages by default to be just
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.62 0.23 0.46 -0.23
in a caribbean island a couple be find dead inside a sink ship the
scuba dive instructor of the local resort anne kimbrough tricia o neil
break in the morgue with her acquaintance tyler sherman steve marachuk
and find that the body have be eat in man
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.72 0.62 0.49 0.13
sure its not the well movie ever made but they dont do this kind of
movie any more it have a bite of that early 80 charm over it and lance
henriksen be never bad in a movie sure the script blow but what a hell
its entertain a hell and the effect look
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.12 0.41 0.33 0.08
cathy stevens have be suffer dark dreams and believe they have
something do with her father after the death of her mother she travel
to political-torn romania to find her father however her investigate
get the local police question her motive and gai
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.56 0.7 0.38 0.32
stuart gordon be a busy man back in 1990 aside from his surprisingly
good retell of edgar allen poems the pit and the pendulum and
something call robojox he also make this little know tv movie which
like the poe film be surprisingly good given that t
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.79 0.71 0.33 0.38
daughter of darkness be a actually pretty good film with a few small
flaw to it spoilers arriving in romanian american katherine thatchers
mia sarah determine to find herself a new life while search through
the city with max dezso grass keep see a st
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.56 0.59 0.24 0.35
when the empire state building be be constructed another high-rise
skyscraper the chrysler building be its rival as far a i know this be
the only film to pay homage to the chrysler building the stand for
quetzacoatl a wing serpent from aztec mytholog
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.76 0.42 0.26 0.16
if youre carry around inside your head a schema of moriarty a ben
stone assistant da on law and order the grim determined rigidly moral
prosecutory this movie will shake you up like a animate cardboard
halloween skeleton he be hardly ever at rest his
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.71 0.53 0.33 0.19
the winged serpent be a trash movie classic and it also represent one
of the master of that cinema niches fine hours larry cohen direct this
movie which follow the standard monster movie formula and be blend
good with a theme of mass hysteria and a g
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.45 0.34 0.32 0.02
be a fun film but the main problem with it be that monster in the
title be rarely see or be just a simple plot device and the end result
be sorta unsatisfying the story be much about the aztec cult and their
human sacrifice to their god a quetzalcoat
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.31 0.37 0.36 0.0
this thing be so mind-boggling that word almost fail me i literally
spend 80 of it with my jaw drop in utter disbeliefs punctuate by burst
of incredulous laughter nothing in it make any sense at all i means
our castaway arrive on the island in a perf
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.05 0.3 0.32 -0.02
briefly speaking nothing in this movie make any sense at all either on
the level of overall plot or of individual scene or even lines a this
would have to be one of the much relentlessly stupid movie ever made a
as soon a it look like something be re
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 4.73 0.3 0.43 -0.12
with the recent box-office success achieve by the late remake of 1974
the texas chainsaw massacre its worth look back at tobe hoopers
original horror classic a the movie tell a fairly simple tale at heart
a group of five teenager drive through rural
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.47 0.35 0.41 -0.07
i decide to get this movie for my annual halloween scarefest a week
early as the new one be out in theatres i feel a need to see the
original first and bow be i glad i did the whole movie just blow me
away i turn off all the phones chat program and s
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.66 0.42 0.37 0.05
those who have post here compare tobe hoopers one and only masterpiece
with the dreadful remake be presumably young child with no real
understand of cinema the 1974 film be the antithesis of the slick mtv-
influenced cynical cash-in mentality that inf
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.82 0.35 0.38 -0.03
the texas chain saw massacre can and will be reinterpret by critic and
theorist for decade to come it be shoot in the summer of 1973 during
the aftermath of the vietnam war and the munich olympic massacre at
the height of the watergate scandal and th
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.62 0.35 0.37 -0.01
the texas chainsaw massacre be a terrible film i know go in it would
be nothing like the original and be completely fine with that but this
movie go out of its way to be a ridiculous a possible the genuine
scare from the original have be replace by a
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.26 0.37 0.32 0.05
texas chainsaw massacre be one of the much misunderstand movie of all
time i see texas chainsaw massacre when it be release in theater back
in 1986 i love this horror flick then but everyone else hate it
critics trashed it even many horror fans of th
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.21 0.44 0.38 0.06
disclaimers do not try to remove your hemorrhoid with a chainsaw it
will not save you a trip to the hospital spoilers ok let me tell you
why the texas chainsaw sequel dont work the original film be slightly
exempt from this but when you have someone
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.32 0.37 0.29 0.09
potential spoilers ahead when id of hear of this movie it be describe
to me by my cousin a the scary and creepy movie theyd ever seen so it
always have a place in my mind a a movie to avoid however when i
finally do catch it i have to say i disagree
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.63 0.55 0.28 0.27
four snotty rich kid at a prep school in england want to get out of a
field trip to wales where they would have to eat fish paste sandwiches
and be otherwise uncomfortable they also dont want to get out of the
trip by just return home over the school
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.07 1.58 0.36 1.22
truly fresh and new ideas rarely make it to film the hole base on the
novel after the hole by guy burt be a good exception to this it be
seldom that we see a top quality thriller but this movie be good cast
good directed and work wonderfully the stor
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.31 0.47 0.3 0.16
ive be anticipate this film for a while since it be thora birches of
role since american beauty so the hole the hole have be hype up a a
horror psychological film in which student be lock down a old wartime
bunker -the- hole to avoid a bore geography
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.53 1.0 0.25 0.75
the of half of this film be like anything youd expect from quentin
tarantino and robert rodriguez cool 70 soundtracks snappy dialogue
really good editing lot of violence and a slightly unconvincing role
by qt himself i think it be disturbing stylish
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.59 0.34 0.28 0.06
i enjoy this film but i be leave a little puzzle at the end by what id
just watch in term of what type of movie this visit start off a a very
tarantino-esquire film its clear that he write it a his famous
dialogue be present its a enjoyable crime thr
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.01 0.38 0.37 0.01
from dusk till dawn be kind of brilliant brutal bloody tarantino
horror silly and funny it be brilliant brutal bloody horror silly and
funny the way sam raisins the evil dead be all that things the twist
here be a screenplay write by quentin tarantin
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.98 0.46 0.42 0.04
i love this film for many reasons for one the switch from a crime
thriller to a horror thriller be seamless i for one have not hear much
about this film before i watch it and i assume the tv times be mistake
in call this a gory horror thriller to me
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.35 0.8 0.39 0.42
if there ever be a film which deserve to be call haunting its this one
excellent music wonderful dream-like atmosphere masochistically-grim
mood verge on nihilisms mystical overtones a sympathetic supernatural
yet human villain its just wonderful dis
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.78 0.46 0.36 0.1
the titular dust devil be a evil demon that prey only on that who have
lose the reason to live this include wendy who have break up with her
husband and be now make her way aimlessly across the south african
desert feeling lonely she pick up a stray
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.87 0.35 0.32 0.03
only this check the final cut version and you ll discover that much of
the flaw for which this movie be criticize be gone with its of minute
of footage previously cut and no re-dubbing story make sense of course
because of all the reference to art-mo
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.9 0.29 0.22 0.07
jesus francois 1970 vampyros lesbos inexplicably title above el sign
del vampiro be the masterpiece of all euro-exploitation genres you can
swoon over the greenaway light in suspiria you can thrill to the
comic-book metaphysics of the beyond a few so
Movie title: Vampyros Lesbos
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.26 0.58 0.29 0.29
fright night 1985 be a awesome true classic vampire horror film that
be write and direct by tom holland him self i love the remake but i
just love the original much better in here you have monsters a real
vampire and werewolf in it chris abandon do a
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.55 0.45 0.28 0.17
fright night lost boys and near dark be the holy trinity of was
vampire flicks and arguably three of the well vampire movie of all-
time just recently i return to this piece of 80 horror gold and i have
to say i enjoy it just a much a the of time i se
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.32 0.75 0.33 0.43
is it the 80 cheesiness fashion clichã©s music its impressive fix the
story who knows time make justice to fright night one of the well
vampire movie ever and probably the well of the 80 when it come out in
1985 the slasher genre be on its high peak
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.64 0.49 0.4 0.08
fright night be a movie that have stick with me for years recently i
be able to get it on dvd and have be watch it and try to convince my
friend to watch it ever since it have its flaw but time have be kinder
i think to fright night than it have be t
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.79 0.56 0.32 0.24
title fright night director tom holland stars roddy mcdowell chris
sarandon william ragsdale amanda bears and stephen geoffrey released
1985 review very few minor spoilers ism sure many of you here know
this movie by heart and have see it countless h
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.68 0.8 0.22 0.58
of the slasher film that jamie lee curtis would appear in after the
masterful halloween 1978 terror train be truly the best its also one
of the well genre entry of the early 80s college student hold a
costume party on a train only to have a mask stra
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.15 0.52 0.31 0.21
the 1980 horror film terror train may well be describe a halloween on
the rails a in it a fraternity have a party take place on a train
speed through the canadian night a and then one by one without anyone
know it a situation make even much complicat
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.1 0.57 0.31 0.26
jamie lee curtis be once again cement her status a the scream queen
after the success of halloween the fog and prom night but this one
unfortunately wasnt a successful a the previous one and remain the
little remembered but that doesnt mean that this
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.59 0.35 0.23 0.12
the picture narrate how a group of fraternity execute a initiation
prank to a young boy who be emotionally frighten years late a
masquerade party be celebrate on charter hire train and someone mask
wear realize a series of body count scabrously murde
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.34 0.46 0.38 0.08
a fraternity prank on a weakling of a student go horribly wrong when
the victim be emotionally affect by it and end up in a institutions
now three year have past and the senior fraternity friend have decide
to celebrate their final outing with a new
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.46 0.56 0.25 0.31
my bloody valentine be one of the well 80 slasher films it be one of
my personal favorite slasher films i love this film to death it be
good make 80 slasher film from george mihalka it be a canadian slasher
that be happen on a holiday valentine day a
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.86 0.7 0.35 0.35
in the wake of halloween and friday the 13th many similar film be
released much of which have little or no distinguish features one of
the much effective and atmospheric be my bloody valentine shot in
canada and very infamous for its brutal battle wi
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.14 0.54 0.38 0.16
twenty year ago harry warden go nut and slaughter a bunch of people on
valentines day the mine town he hail from cancel subsequent v-day
dances but when they try set one up again warden seemingly return with
his pickax ready to hack the local kid up
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.69 0.54 0.36 0.18
the 1980 be and remain one of the much controversial time period in
the history of the horror genre on one hand it see the birth of
several of the genres great film and many of the much entertain film
that still have historical significance on the ot
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.35 0.86 0.38 0.47
my bloody valentine be one of the well and much well-made slasher
flick of the 80 its also one of the well holiday themed horror movie
around craze miner be determine to stop the celebration of valentines
day in a small nova scotia town with the help
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.9 0.46 0.37 0.09
my brother and i use to watch this movie all the time probably when it
be on hbo back in the day it be a nice piece of nostalgias since i
have view it so much a a kid it be like go back and watch a movie you
almost know by heart but at the same time
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.42 0.93 0.16 0.77
one of my all-time favourites a nice idea in the spirit of the care or
christine with great action mostly of well-show car chase in tucson
arizona the character be good construct and on the whole good
implement by the actors with nick cassavetes stea
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.05 0.55 0.44 0.1
it make me laugh when i read bad review of this movie no one claim it
be a classic no claim it would win award or prize for depth of
storyline what it doe have be earnest performances fantastic fx amaze
score and very pretty photography yes laugh at
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.88 0.59 0.45 0.14
one of the halloween follow-up that would give jamie lee curtis the
title of scream queen children accidentally cause the death of a
little girl now year late they be in high school and get ready for the
promo however it seem someone else be plan on
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.03 0.34 0.31 0.04
prom night emerge at the begin of a decade which also mark a decade
for the rise and fall of slasher film a we know them along with terror
train and the fog prom night be one of jamie lee curtiss much well-
known return to the genre after halloween th
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.45 0.55 0.38 0.17
prom night be a excellent canadian horror mystery movie from 1980 it
start with a group of kid play a game in a abandon build that turn
horribly wrong a young girl they be pick on fall out the top window to
her death the kid decide to keep quiet abou
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.89 0.66 0.27 0.39
i of see prom night back when i be year old but didnt appreciate it a
a film until re-watching it at 19 watching it a a time be like
discover a priceless gem and i must say a a screenwriters i still look
to this movie a motivation and inspiration unl
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.64 0.8 0.3 0.49
the house on sorority row be one of the well tale of vengeance in the
slasher genre sorority girl pull a prank on their house mother only
for her to end up dead and the girl leave in a world of trouble they
believe they have cover up the crime but wh
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.6 0.39 0.34 0.05
the house on sorority rows be above your average slasher flick its up
there with halloween follower like friday the 13th prom night my
bloody valentine and sleepaway camp unlike much slice-and-dice movies
the house on sorority rows actually have a pl
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.22 0.42 0.24 0.18
i catch this movie on vhs in the early 90s have missed it in the was i
dont know how i just re-watched it tonight and i must say yes its a
typical was slasher movie but it have great humor and great suspense
and a really creepy killer the music just
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.65 0.78 0.42 0.36
better than average slasher flick about a group of sorority babe who
accidentally kill someone during a prank and try to cover it up later
theyre murder one by one by until the inevitable final girl vs the
killer showdown all this thing seem to have
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 5.9 0.37 0.45 -0.08
from ken russell the devils to jesus francois love letters of a
portuguese nun from sergio grievous sinful nuns of st valentine to
gianfranco mingozzi classic flavia the heretics and everything in
between i be a self-confessed nunsploitation freak i
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.71 0.58 0.47 0.1
a very very silly film not once will you feel horror or revulsion
unless you be the sensitive type or a nun but you may smirks and you
may laugh and you may even find yourself cheer on dear old sister
gertrude a she go on her rampage of false tooth d
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.73 0.79 0.27 0.52
killer nun be a crossover between two of sleaze cinemas much popular
subgenres the graphically title nunsploitation and the much popular
italian thriller know a gallop i canst say ism very experience with
the former but ism a big fan of the latter an
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.92 0.75 0.43 0.33
far well than i remember think on my of view but that be a while ago
and now i think of it one of my of in this field probably not a good
one to encounter of because it really be such a strange one pretty
surreal with nun drift down corridors gown sp
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.38 0.48 0.25 0.23
i love just about everything the late al adamson direct in his long
and vary career but the possession of nurse sherrie stand head and
shoulder above fun yet admittedly grade-z schlockfests like horror of
the blood monsters and blood of ghastly horro
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 7.74 0.35 0.38 -0.03
i buy this on vhs a terror hospital and when i get home i check iadb
and be like org its the legendary nurse sherri so herems another one
from al adamson who have clearly learn some minuscule amount about
film-making since the blood of dracula castle
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.79 0.63 0.28 0.35
this be another film i remember from childhood from the day of regular
tv free broadcast and adjust the rabbit ears for reception a a crappy
but atmospheric british monster picture now not only on cable but on a
premium service i come across it again
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 4.38 0.44 0.28 0.17
this film be a wonder if one be to happen across it one sunday
afternoon sober and alone one may struggle to immediately spot its
worth however do not pass this film by director balch have here craft
a masterclass in horror aesthetic and inconsistenc
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 negative 6.26 0.33 0.37 -0.04
horror hospital be a excellent slice of vintage british horror produce
in the early 70 when film be get gory notice the numerous
decapitations gough be on top nasty form a a doctor who perform brain
experiment sound familiar on his young victims and
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 7.44 0.53 0.42 0.12
a wear out musician decide to take break and go a relax vacation he
choose to stay at health farm locate out in the country and on the way
there he meet a girl on the train go to the same place to see her
aunty the mysteriously means but cripple dry
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.66 0.49 0.44 0.05
horror hospital start with a black rolls royce park in some wood
somewhere in england dry storm micheal gough crack his knuckle a he
wait in the back with his assistant a dwarf name frederick skip martin
a teenage couple be see run through the wood c
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.25 0.41 0.24 0.17
this be the well rendition of dracula ever capture on film gary oldman
dark and sensual persona outshine any other vampire who ever dare put
on a cape to me gary holdman be the much talented and underrate actor
every he become who he be playing howev
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.58 0.68 0.43 0.25
though i do not read the book and canst compare it to the movie i find
bram stokers dracula quiet excellent the costume design lighting
camera work make-up-fx be all very good and make for a very
atmospheric movie there be some truly outstanding thin
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.9 0.43 0.28 0.15
one of the well know and much popular dracula film be by francis ford
coppola at the time he really hadnt make a hit film since the
godfather he be go bankrupt so what well way to get out of debt than
to make something that be pretty much a guarantee
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.59 0.48 0.38 0.1
as be the case with many of this latter-day horror movies this be
visually stunning this one be particularly so with beautiful colors
wild special effects lavish set and a handful of pretty women lead by
winona ryder it isnt all beauty there be some
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 6.06 0.5 0.27 0.23
francis ford coppola adaptation of bram stokers classic vampire story
be unlike any other film i have ever seen a beautifully craft gothic
horror romance bram stokers dracula be infinitely rich in haunt
atmosphere but a conventional love story preven
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Objectivity Positive Negative Overall
0 positive 5.29 0.38 0.37 0.01
i expect a jaws clone and get a movie about threesomes after i get
over the initial shock i actually find tintorera to be a sweet almost
classy little male fantasy tintorera be actually a sex and thus
perfectly capture the feel of the seventy take on
Movie title: Tintorera: Killer Shark
sentiwordnet_preds = [doc.wn_sent_score for doc in sentiwordnet_output]
print(confusion_matrix(np.array(true_targets), np.array(sentiwordnet_preds).astype(int)))
print('\n')
print(classification_report(np.array(true_targets), np.array(sentiwordnet_preds).astype(int)))
#classification accuracy score
sentiwordnet_accuracy = accuracy_score(np.array(true_targets), np.array(sentiwordnet_preds).astype(int))
print("Correct classification rate:", sentiwordnet_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(true_targets), np.array(sentiwordnet_preds).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (SentiWordNet Vocabulary-Based Sentiment Analyzer) \n', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[ 38 77]
[ 94 599]]
precision recall f1-score support
0 0.29 0.33 0.31 115
1 0.89 0.86 0.88 693
avg / total 0.80 0.79 0.79 808
Correct classification rate: 0.7883663366336634
Rev_SentimentDocument = namedtuple('SentimentDocument', 'words ttl tags vader_sent_score')
i=0
vader_output = []
for rev, ttl in zip(all_reviews_joined, all_reviews_ttl):
sent_binary = vader_sentiment(rev, verbose=True)
words = rev
tags = i
vader_sent_score = float(sent_binary)
vader_output.append(Rev_SentimentDocument(words, ttl, tags, vader_sent_score))
print(fill(words[:250]), '\n')
print('Movie title: {} \n'.format(ttl), '\n')
i += 1
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.36 10.0% 9.0% 81.0%
spoilers have see a lot of films review a lot of film but this
extraordinary two and a half hour technically-perfect humanistic
horror film from one of the fine writer directors in the business
auteur of i saw the devil be something of a cipher the c
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.2 15.0% 14.000000000000002% 71.0%
the wailing open with a quote from the bible it be easy to forget this
fact while watch much of the film but at a certain point it become
clear the purpose that quote served it be almost like a warning if you
be a religious person this film will scar
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.14 13.0% 13.0% 74.0%
this movie be a hell of a ride about of minute into the movie i stop
to look at how much time be leave and be actually relieved to see that
there be still so much left thats how engage and interest the story be
for me before watch the movie i read on
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 6.0% 27.0% 67.0%
i want to start this review with say that i be not completely against
jump scares they play integral part of horror movies but when a movie
mostly rely on them and be not support with great story i be always
leave displeased what make the wailing so
Movie title: The Wailing
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 17.0% 15.0% 68.0%
perhaps ism a little biased after all this be set in the city i live
and work in and see oxford street and piccadilly circus which i pass
by every morning and which be usually teem with crowd of people
completely empty be enough to send shiver down m
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 6.0% 18.0% 76.0%
this film be about a virus rage virus that make the infect person mad
with extreme rage and hungry for blood within of day one outbreak in
london cause entire britain dead or evacuate leave behind a blood-
thirsty infect population and a handful of so
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.2 12.0% 12.0% 76.0%
the 2003 state-side release of danny boilers 28 days later be
advertise a be a chockful scare-fest of a movie i didnt get around to
see it until a few day ago and i gotta feel like that be somewhat of a
embellishment on the promoters part when enviro
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 6.0% 11.0% 83.0%
the key to keep the sci-fi horror genre alive in the cinemas a of
later be to make sure the material and technique the filmmakers
present be at little competent at its average creative and at its well
something that we havent see before or havent see
Movie title: 28 Days Later...
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 11.0% 20.0% 69.0%
let the right one in be like no other vampire movie that i have ever
seen it be smarter scary and much nuanced it doesnt feel like a
thriller it feel like literature the film which detail the bizarre
misadventure of a pair of pre-teen star cross love
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 19.0% 6.0% 75.0%
let the right one in is at its heart a sweet coming-of-age story which
be so unique and different that it simply defy categorization in this
swedish film adapt from john aside lindqvist bestselling book director
tomas alfredson dare to mix pleasure a
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 19.0% 8.0% 72.0%
so many people review this film on iadb seem to focus on the sweet
friendship between its of year old human and vampire leads while this
be a huge element of the film this be a sweet story of childhood
friendship in the same way the godfather be the
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.73 13.0% 16.0% 70.0%
i be not particularly fond of the vampire genre but this movie be so
much more it be artistic poetic and in many way a very profound movie
explore the nature of good and evil it doe so through the world of a
child where both pure evil and pure goodne
Movie title: Let the Right One In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.84 19.0% 4.0% 77.0%
zombies and much zombies so many they do not cheap outta few original
idea and moves which be probably mandatory because they only have the
width of a train to play with for much of this film a a beautiful girl
what can i say i be a sucker for long-h
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.66 21.0% 14.000000000000002% 65.0%
dont youths film be fun action-packed full of dangerous elements
innovative have pretty girl in it and much importantly be successful
yup here come the hollywood remake it will be another entry in the
series of redundant unnecessary inferior whitewas
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 26.0% 0.0% 74.0%
the zombie be a plenty so they go all out for thistle cheerleader be
splendid and gods gift to debut the story really peter out at the end
Movie title: Busanhaeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 12.0% 14.000000000000002% 75.0%
who would ve guess that the director of saw would end up be the much
inventive horror filmmaker work in the industry james wan brilliantly
take us back to the retro day of horror deliver a extremely stylistics
visually strike horror film that stand t
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.3 15.0% 14.000000000000002% 71.0%
dont summon the devil dont call the priest i be one of a lucky few to
have see the conjuring at a preview screen for brightest 2013 i go in
totally cold not have see a trailer nor know anything about the story
or plot and it turn out to be one of the
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 12.0% 22.0% 66.0%
ism a avid horror fan lately ive be think there isnt much that can
scare me though sinister get under my skin i appreciate james wants
films i love the of saw insidious be a damn good modern ghost story
but like all review have state for it the movie
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.86 15.0% 16.0% 69.0%
the key with the conjuring be not that it have freshness on its side a
evidence by the ream of horror fan argue on internet site about
nothing new on the table but while that fan will be go hungry for a
very very long time the conjuring doe everythin
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.69 14.000000000000002% 13.0% 73.0%
the conjurings be a high class horror film its hard not to be scare by
it we care for the character and the story be compel enough to make
you feel interest the whole time based on true life events ed and
lorraine warren be paranormal investigator se
Movie title: The Conjuring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 4.0% 76.0%
while much movie that pit human against horrendous extra terrestrial
end up be cheap imitation of the aliens series pitch black stand a a
fine piece of sci-fi and a excellent movie all around a perhaps my
favorite aspect of the film be the lighting a
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 12.0% 15.0% 73.0%
pitch black be a survival story its about how to survive in a hostile
alien world against even much hostile enemies the task get even much
difficult when the near enemy can be find within your own survive
group the plot of pitch black be quite usual
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 11.0% 8.0% 81.0%
this be without doubt the much excite and satisfy film ive see in
years of the plot see in print be almost banal- a ship crash on a
desert planet with three suns the survivor have to adjust to the
landscape and each other then darkness fall and the m
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 17.0% 7.000000000000001% 75.0%
the open scene of this movie be pretty incredible a ive see a numb of
sci-fi movie with great special effect but my roommate and i look at
each other after the open sequence and he say plainly sensory
overloaded a the plot of the movie be pretty simp
Movie title: Pitch Black
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 14.000000000000002% 9.0% 77.0%
anyone who live in the world and follow movie have a pretty good idea
of the main concept behind a quiet place there be being that will kill
you if you make a noise a the film doe very little to try to explain
where this being come from all we know b
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 11.0% 8.0% 81.0%
a quiet place direct by john krasinski be a genuine and tense horror
thriller it have a unique premise and backstory the setup for the
story have be do well the performance by john krasinski and emily
blunt along with the child actor be awesome the d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 7.000000000000001% 10.0% 82.0%
this be a good movie if one be will to overlook the hundreds literally
hundreds of logical fallacy in this movie other review give a good
overview of the plot ism not look to do that here i just want to point
out some plot inconsistency andor the lac
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.42 10.0% 9.0% 81.0%
this film be a classic case of we just have to make a film about that
premises however what the people involve didnt do good be figure out
how to cover all the plot hole the premise be always go to introduce
the introduction be move and set up the pr
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 26.0% 66.0%
first i enjoy some part of this film the suspense be on point acting
be good it wasnt totally unwatchable but for me it fall short of what
it can have been ism just go to list why i disappoint and confused
spoilers below a be they really aliens how d
Movie title: A Quiet Place
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.74 16.0% 19.0% 65.0%
theres a lot of this shaky-cam movie around at the moment and among
your cloverfield and diary of the deads this low budget spanish movie
may seem like the underdog but its punch way above its weight filmed
by a tv crow stumble upon something very na
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.66 14.000000000000002% 16.0% 71.0%
this be truly a superb horror movie i love this movie so much i have
to leave a comment it have be a long time since i jump off my seat a
few time way too many it have some of the scary scene i have ever see
you ll know what ism talk about the way it
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.6 11.0% 11.0% 78.0%
rec be a film that utilise the pov point of view camera technique for
the entirety of its duration it be a technique in which the person
behind the camera be a character that be integral to the plot
narrative and story of the film in brief rec be a h
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 14.000000000000002% 5.0% 81.0%
this be the kind of movie that you go to the cinema and watch and then
haunt you for weeks not that it will make you afraid of the dark or it
will make you question your vision of life this be the kind of movie
that be all about the experienced the f
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 12.0% 17.0% 71.0%
i be not usually comment on movie here i rather read other peoples
comments but i just finish watch rec and i feel i really have to
comment even if its just to get my heart rate down first of all let me
say this be one hell of a terrify movie i think
Movie title: [Rec]
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 10.0% 14.000000000000002% 76.0%
theres another version of the witch that could ve existed a puritan
family in new england get terrify by a witch live in the woods who
torment them with supernatural satanisms if youre say to yourself wait
isnt that exactly what this movie is then yo
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 8.0% 15.0% 77.0%
this be a story set in the early colonial period of new england it
have the authenticity of a well-researched historical drama up to and
include dialogue deliver in a period accent and vocabulary softened a
bite so that its easy to understand instead
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.13 16.0% 15.0% 69.0%
if people from the with century can make a film about their deep dark
horror it would look a lot like this movie the witch engross you in
the time and place of its setting its a family drama a horror and a
folk tale all interweave together into a mac
Movie title: The Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 11.0% 8.0% 80.0%
if nightmare induce horror be not your bag then the little you know
about the descent the better geordie writer-director neil marshall
have deliver a accomplished good acted out and out horror movie that
come a much of a pleasant surprise a his of ma
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 11.0% 70.0%
there arent that many british horror films so its not too much of a
stretch to call this one of the well british horror movie ive seen it
have flaws but ive only see a few film in my life that donate its
incredibly entertain though the basic premises
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 20.0% 72.0%
whats interest to me be the deep mean and symbol of the film the film
be really about two women sarah and her friend juno the film open with
sarah lose both her husband and child in a horrific wreck over the
course of the movie it become apparent tha
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.79 18.0% 12.0% 69.0%
with dog soldiers neil marshall create a tight and claustrophobic
atmosphere then add the scare to create a very good horror film
however the tension be often release with humour and the audience be
allow to catch their breath and relax at no point i
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 11.0% 14.000000000000002% 75.0%
after watch the descent my bud robert and i decide that spelunking
would now come off both our to do lists—for good writer and director
neil marshalls the descent craft and sustain a unrelenting tension
throughout once you get past the suspend disbel
Movie title: The Descent
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 18.0% 19.0% 63.0%
whenever i see a negative review of i saw the devil the critic always
mention scornfully that the movie be ultra violent and portray woman
in horrify circumstances yes it is and yes it does but this isnt a
hollywood slasher flick the kill in this mov
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 18.0% 74.0%
this movie be not for the squeamish or the faint of heart censors
claim it be offensive to human dignity these be the kind of thing they
tell the audience at the world premiere screen of the uncut version of
i saw the devil at the toronto internation
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.46 20.0% 17.0% 63.0%
i saw the devil be a bloody masterpiece jee-woon kim have prove
himself to be a master storytellers beautiful shots a creative script
perfect act and intense violence make i saw the devil a must-see movie
for anyone who call themselves a horror fan i
Movie title: I Saw the Devil
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 negative -0.99 14.000000000000002% 31.0%
Neutral
0 55.00000000000001%
the plot of i saw the devil revolve around a detective whose beautiful
fiancee be savagely murder by a vicious psychopath play by oldboy
himself min-sik choy despairing cop quickly track down the psycho
tortures him a little and let him free to play
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 9.0% 17.0% 75.0%
just come back from the tiff screen of the uncut version of this film
and after read the very of review post here i feel somewhat compel to
leave a short comment the movie be about revenge a woman be murder by
a serial killer the womans soon-to-be hu
Movie title: I Saw the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.12 13.0% 14.000000000000002% 73.0%
this be probably the well horror movie ive see in the past decade it
follows be a throwback to classic late 70s 80s horror film and draw
many comparison to john carpenters style from the music to the
cinematography and rather than appear like a carbo
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.73 22.0% 17.0% 61.0%
finally a real horror in a long time no much bloody slasher craps this
be how the really scary movie be made suspense and fear be create by
great cinematography and music the pace of the movie be slow and
almost no to few special effect be present i
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.79 14.000000000000002% 17.0% 69.0%
inspired by 70 and 80 horror it follow be a refresh psychological
horror film with a simple premise and a chill concept the
cinematography be electrifying every shoot be beautiful and the score
hold brilliance it carry a very obvious john carpenter v
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 11.0% 15.0% 74.0%
it follows be a horror film make for horror fans and its about time
one of that come around again this be a movie that be light on the
jump scares which be a delightful change of pace in the past few year
much and much horror have rely on jump scare
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 8.0% 74.0%
spoilers it follows begin how it ends mysteriously a young woman run
from her suburban home half dressed terrified confused she crosse the
road haphazardly then run back to her house pick up her bag and escape
in her care with her father shout after
Movie title: It Follows
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 13.0% 15.0% 72.0%
i go into this movie confident that it would be a cheesy campy romp
with the same tried and true trick of the trade like when the hero be
investigate the creepy music come from the basement and a cat jump
into frame but i quickly discover that this w
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.58 13.0% 12.0% 76.0%
of all the genres that hollywood have to offer the much tatter of the
bunch be without a doubt the horror department i be so sick of this
wannabe so called horror flick that belong on late night lifetime
channels im sick of the same old parlor trick
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 3.0% 17.0% 80.0%
the film insidious have do something many horror movie have fail to do
recently and that be to be scary insidious have a lot of really
intense moment that scared and then grab hold of you its not entirely
make up of make you jump scenes which it doe
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.35 15.0% 16.0% 69.0%
when i of see a preview for this movie i know it look like it have
potential it have be a while since i see a decent scary movie so i be
look forward to it i go into it expect some scare but nothing too bad
wrong this movie scare me out of my wits i
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 7.000000000000001% 69.0%
i go to a early screen of the movie last night and ism not exaggerate
when i say that i feel like a little child watch the exorcist for the
of time james wan do a very impressive for only a $800 000 budget for
this movie if youre go in the theatre ex
Movie title: Insidious
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 11.0% 66.0%
i be lucky enough to see this masterpiece at brightest this year
pascale laughers worry about this movie he be apologise to people who
despise it he be profusely thank the people who like it he be the
modern day equivalent of victor frankensteins he
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 23.0% 12.0% 65.0%
what a experienced ism a big horror fan and be happy watch and enjoy
popcorn slasher movie for what they be but really the genre be cry out
for much picture that truly assault the senses the french be
particularly adept at paint bleak unforgiving lan
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 14.000000000000002% 18.0% 68.0%
french horror have be push the boundary for some time now first there
be haute tension then a l intérieur and new in line be martyrs hype up
to take it all a little further and it did it definitely did its just
that it doesnt belong in the same list
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 7.000000000000001% 22.0% 71.0%
this film be a terrify a anything ever released it take event from
modern headline and carry them to horrible but utterly believable
extremes performances photography editing score sound design direction
be all spot on i live in a neighborhood where
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 14.000000000000002% 8.0% 79.0%
the film be introduce by the films writer director pascal augier at
this years brightest in london the organisers refer to the film a the
film they much wanted of the of show at the festival it be easy to see
why of all the film i see at this years f
Movie title: Martyrs
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 16.0% 20.0% 64.0%
on of impression the mist doesnt remotely seem like the kind of film
anyone should be excite about the mist what a bite like the fog then
stephen kings the mist that make it even worse directed by frank
darabont since when do he direct horror films o
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.04 10.0% 13.0% 77.0%
ive be a member of iadb for many year now and rarely do i take the
time to comment on a film in addition i watch on average about 10-15
film a months split among all genre include horror lately thought ive
be very disenfranchise with much horror film
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 18.0% 17.0% 65.0%
ill start out by say that ism a stephen king fan and thus i may have
some bias ive watch many steven king movie but have never give one a
rate this high most of his horror movie be in the 4-6 range with
classic such a the shawshank redemption the shi
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 21.0% 71.0%
if two year ago you tell me that within a couple of year two excellent
stephen king film adaptation would be released i would probably have
laugh it off films like the shining shawshank redemption stand by me
the stand and 1408 be usually pretty far
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.67 13.0% 18.0% 69.0%
let me take a breath never have i have such a visceral physical
reaction to a film every not even with elem klimov come and see in the
last fifteen minute i be nearly physically paralyzed and then start
shaking realize how numb my body was and i be d
Movie title: The Mist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.86 17.0% 9.0% 74.0%
this be about a scary a i want to movie to be i genuinely jump a few
time watch this and once or twice mute the sound which make me laugh
write it but trust me there be scene in this film that challenge the
old ticker a cardboard box in the hallway c
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 11.0% 17.0% 72.0%
in this day and age horror be get much and much creative by demand
since the psycho killer in the woods-scenario have pretty much run its
course a consequence of that be the incorporation of contemporary
technology and concept appear in the genre fou
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 14.000000000000002% 8.0% 78.0%
directed and script by scott derrickson the exorcism of emily rose
2008 the day the earth stood still from a c robert cargill story
sinister be a exquisite realization of a original paranormal theme the
movie debut in this same towns sxs film festiva
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.79 15.0% 17.0% 68.0%
dont watch the trailer or at little try not took i go into this film
only know the title and the fact i be wait for a scary movie to
actually be yep scary well i be in luck a sinister be exactly that
quite sinister i say try to avoid the trailer if u
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 21.0% 17.0% 63.0%
ever since the very of trailer come out i thought now this look good
however some quite poor review come in so my dream be shatter slightly
but then suddenly some rave review come out even from my favourite
critics chris tooley who give it stars my f
Movie title: Sinister
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 11.0% 20.0% 69.0%
battle royale be base on the shockwave novel by koushun takami which
be a bestseller in japan and which have become very controversial in a
very short time and it be really easy to understand why the plot be
relatively simple a class of junior high s
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.26 10.0% 12.0% 78.0%
there have be contrast cry of greatest film ever made and pointless
gore fest make about br and neither be accurate in my opinion what it
is be a commentary about perceived real or otherwise problem among
japanese teen in the late 90 in one review so
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 14.000000000000002% 76.0%
this film be film that i believe have to be made and it be only a matt
of time before it was a yet it be a film that the us mainstream can
never have conceive making firstly to get it out of the way i will say
that i love this movie although at no po
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 14.000000000000002% 19.0% 67.0%
kanji fukasaku make a film call battle royale back in 2000 hers make
plenty of film in the past ive see very few of them apart from battle
royale but ism always search for more battle royale be a film that
have affect many many people there be rabid
Movie title: Battle Royale
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.02 7.000000000000001% 9.0% 83.0%
this movie be incredibly cruel and unrelenting it play a a single
feature divide into three sections dumplings direct by fruit chan of
hong kong cut direct by park chan-wook of korea and box direct by mike
takashi of japan each section be like a diss
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 14.000000000000002% 9.0% 77.0%
wowf just go to go see this three short last night which be about of
min a piece i agree that cut be one of the much enjoyable horror
experience i have have since high tension takeshi mike be probably the
big name in the asian horror biz but i have t
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.68 18.0% 16.0% 66.0%
this be a excellent blend of three horror film that characterize the
ideal representation of asian cinema each story be present with
ordinary people display quality of evil and depravity these director
use powerful cinematic storytelling element in e
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.7 16.0% 14.000000000000002% 70.0%
three short film that be plenty extreme and if the ending of all three
leave us wonder maybe that be good i do however find the end of cut
much than a little baffling there again unsatisfactory ending of
eastern film a judge by westerners be nothing
Movie title: Saam gaang yi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 9.0% 74.0%
i have utmost respect for want to my knowledge he and his buddy be
right out of film school instead of slowly build status by make
mediocre films he show the world right from the get-go that he have
something to prove along with silence of the lambs
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.12 8.0% 8.0% 84.0%
since nattevagten i have not see a thriller that have keep me on the
edge of my seat a good a saw right from the begin this original story
suck you in and doesnt let you go until the very end thrillers a grip
a this one have become extremely rare in
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.54 13.0% 9.0% 78.0%
wowf the critic werent wrong not since seven have horror be portray so
majestically from the of minute to last this film twist and turn you
till you feel rather poorly just like se7en the all-round grittiness
that director james wan create disgust an
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 13.0% 19.0% 68.0%
not since se7en john doe have there be a serial killer with such a
bizarre philosophy behind his action not that jigsaw actually kill
anyone much on that later sure in light of the increasingly
deteriorate sequel its hard to think of saw a little muc
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.94 15.0% 20.0% 65.0%
not only doe this movie create a extremely tense atmosphere the moment
it starts it have plenty of gore and violence to bombard your eyes not
to mention that it have one of the well twist see in any horror movie
watch this film alone at night with th
Movie title: Saw
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 10.0% 66.0%
a tale of two sisters or janghwa hongryeon be a true masterpiece
brilliant psychological thriller heart-wrenching drama and grip horror
all wrap up in one beautifully orchestrate package from the intricate
plot to the beautiful cinematography to the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 9.0% 77.0%
the beauty the terror the poetry the horror the innocence the guilt
maybe thats just about all i should write in this comment for a tale
of two sisters the well thing be to just watch this movie without know
anything about it i myself didnt even know
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 19.0% 9.0% 71.0%
the recent history of hollywood remake of ghost horror film from the
east have be dismal this film will inevitably suffer the same fate so
get a copy on e-bay or similarity be good photograph and the sound be
superb viewing on a good screen and with
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 14.000000000000002% 9.0% 76.0%
i of see this film two year ago in the cinema and fall in love with
this dark tale of two brood teenage sister cope at home in their large
country house with their father and step-mother their relationship
with their step-mother be strain to say the
Movie title: A Tale of Two Sisters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 30.0% 61.0%
eden lake masquerade a a touch and dark film but it be quite the
opposite in like another reviewer have to register just to express my
deep disappointment in this film sure it start off with a normal set
which you a someone who be much likely use to
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 12.0% 25.0% 63.0%
its be a long time since ive see this film during the time when i
still didnt bother and rate and review every horror film i watch
lately ive be re-watching some of that i like especially but a for
eden like ill pass not because it isnt good but beca
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 20.0% 71.0%
i just recently see a movie call the children where all of the adult
act like whimper baby a their of pound sandbag kid murder them gangs
of little eight-year-old child kill their parents and all they do be
cry about it and get angry at each other if
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.48 6.0% 12.0% 82.0%
i canst remember the last time a film evoke such raw emotion in me ism
literally teared up and shake from anger pain frustration and
disbeliefs watching this film be a experience much than word can
described it play on pure emotion youre suck into th
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 11.0% 21.0% 67.0%
i be a massive horror movie fan but this movie leave me completely
cold it be mean spirited cold and above all else unbelievably
frustrate and stupid at times on the plus side the film be very good
act by all involved and very good made but such be t
Movie title: Eden Lake
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.33 11.0% 10.0% 79.0%
a fantastic performance by the films start james mcevoy be reason
alone to watch this film every personality on display be distinct to
the other and he be so interest to watch anya who be breath-taking in
the witch doe a fine job here took this be a
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 19.0% 5.0% 76.0%
this movie will keep you watch wait for the next character come out of
james mcavoy he should have win some award for his performance of a
man with many different personalities james be very convince in every
part he played the end be great but i don
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 14.000000000000002% 4.0% 81.0%
i be surprise to see that this movie be release last year was ism
write this and i didnt hear about it take in consideration how promise
the plot is split be about three girl get kidnap by a man with
dissociative identity disorder did that have of pe
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 19.0% 10.0% 71.0%
what a remarkable film the premise of the film seem quite superficial
at of but a the layer be peel back theres so much much beneath it a
horror film without special effect goree a action flick without any
car chases a high-tension psychological thri
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 14.000000000000002% 5.0% 81.0%
shyamalan have his debut with the critically acclaim the sixth sense
follow by positively review movie unbreakable and signs after that he
go through a series of dud with lady in the water the village the
happening after earth and be term one of the
Movie title: Split
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 21.0% 17.0% 62.0%
the devils rejects be not always a easy film to watch it have a
genuine savagery that make recent film such a hostel or saw ii non
spectacular though they were appear rather tamed think part of the
reason the film be such uncomfortable view be throug
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 7.000000000000001% 23.0% 71.0%
i of see this on a dvd in 2006 this be way well than its predecessor
house of 1000 corps it be sleazy gruesome and actually funny at times
otis baby and captain spaulding r the outlaw pursue by william
forsythe the rock once upon a time in american a
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.9 17.0% 9.0% 74.0%
i go to this movie have see 1000 corpses which i think be a great
retro style horror in the texas chainsaw massacre genre this movie far
exceed any expectation i had zombie nailed it in this one classic
freeze frames awesome soundtrack used with purp
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 24.0% 14.000000000000002% 62.0%
alright i never bother with house of 000 corpses mainly due to the
poor review and the fact it look like a texas chainsaw massacre rip
off as a matt of fact i wasnt that interest in this movie at first but
the early buzz raise my interest and i go ou
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 17.0% 20.0% 64.0%
i go into a screen of this movie completely blind i hadnt see 1000
deaths and i havent even see any of rob zombies videos i do like his
music btw i have essentially no idea what to expect this movie be what
natural born killers tried to be its kill b
Movie title: The Devil's Rejects
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 12.0% 16.0% 71.0%
in my opinion house of 1000 corpses be a fan movie fans of both the
horror genre and rob zombie be likely to love it though i do not count
myself a fan of either i do like both at times and i be quite familiar
with both those familiar with rob zombie
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 11.0% 14.000000000000002% 75.0%
its sad that a film a wonderfully make a this be so grossly
misunderstood a let me say this right off that bath if youre idea of a
horror film be i know what you did last summer and you consider scream
and the exorcist to be the much shock film ever
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 20.0% 71.0%
i already have a user comment for house of a 000 corpses submit here
on this site date over a year ago and a um a not very praising in fact
my of view of this film be so disappoint that i excessively discourage
other people here to see it rather than
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 24.0% 10.0% 66.0%
i see this of on cable channel in early 2004 wasnt that impress a a
horror fan rob zombies debut be a throwback to the horror film of
yesteryears stirring in element of the texas chainsaw massacre he do a
awesome devils rejects bad halloween remakes
Movie title: House of 1000 Corpses
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 4.0% 76.0%
this movie deserve allot of praise simply for how good it play on the
norwegian cultural memes visually it be also quite good a it show of
the landscape and place in which the folklore of troll actually arose
and of course spice it with lovely comput
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 12.0% 3.0% 86.0%
i see this at sundance last friday and have to say it be the much fun
i have have at the movie in a long while the story be film in
mockumentary style a la cloverfield and have a healthy dose of spin-
dry scandinavian humor to accent the dramatic and
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 28.999999999999996% 6.0% 65.0%
ive be look forward to this ever since i of hear about it it sound
fantastic a group of three university student be make a documentary
about a series of mysterious bear killings but soon discover that it
isnt bear do the killing but trolls actual rea
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 18.0% 8.0% 74.0%
this movie be a huge surprise for me i do not expect much but it be
one of the well movie of the year for me i have to admit that i be get
pretty sick of the usual movies recently i notice that after watch
thirty minute in every movie good or bad i g
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 7.000000000000001% 13.0% 80.0%
we have all see the monster movie lately they always seem to included
zombies vampire of werewolves the troll throw monster movie through a
loop by insert the mythical troll the act be very much above part not
superb but good above average the specia
Movie title: Trollhunter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 16.0% 14.000000000000002% 70.0%
its no big news that the horror industry have be in decline for the
last or so years western horror movie have all be dry-ed up and
hollywood be desperately remake any asian horror that have a plus rate
on because there people be still make good horr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 14.000000000000002% 20.0% 66.0%
first of all if youre a horror fan see it you will enjoy this film
period know this ive see a billion horror flick from all around the
world this one give me the creeps first 20-30 minute you still have
time to relax from scare to scared but from the
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 28.999999999999996% 6.0% 65.0%
this asian horror film start off with a young couple tun and jane
drive back from a get-together late one night and hit a girl that
suddenly appear on the road this may sound very clich to season horror
fans but what ensue in the film be anything but
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.68 20.0% 15.0% 65.0%
i see this movie for the of time week ago at the bangkok international
film fest and it be amazing not only be it scary a hell ive never
scream so much in a movie before and ism a avid horror movie fancy it
have a wonderful and original plot line thr
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.3 16.0% 18.0% 67.0%
shutters begin when thun a young photographer and his girlfriend jane
accidentally run down a young woman on their drive home they decide to
leave the dead victim and drive away later thun discover something
strange when he find a mysterious shadow t
Movie title: Shutter
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 14.000000000000002% 9.0% 77.0%
let me begin by say i dont like horror movies i dont enjoy jump in my
seat i dont like be afraid of the dark for the next days and i usually
hate spanish movies so usually i only see the big horror classics and
that be because ive read enough spoiler
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 28.000000000000004% 9.0% 63.0%
i see this at the brightest and its amazing do the previous reviewer
even see it no real shocks ive never see a cinema jump like the
audience at brightest for this film ism kind of tempt to name the
shock but i wont its such a stunningly make film cr
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 16.0% 12.0% 71.0%
bone chill terror with a hint of the fantastic await audience who dare
to enter the orphanage produced by guillermo del toro the orphanage
continue the tradition the filmmaker start with film like the devils
backbone and panes labyrinth by show the d
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 12.0% 68.0%
the orphanage be a slick and quietly chill piece of work base around
what else a orphanage a woman name laura return to the orphanage she
grow up in a a child with the intention of open it up again a a home
for child with disabilities together with h
Movie title: The Orphanage
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 21.0% 11.0% 69.0%
i think the film be good but didnt really live up to expectations i
didnt find it that scary admittedly one of the jump scare work on me
but otherwise i never feel any dread loom in the pit of my stomach the
film be gory than the mini series thats fo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 10.0% 11.0% 79.0%
it have become ritual for me to read the novel with once a year every
year since it be release in 1986 the story be much than a gore-fest
its a story about love and hope and friendship that be still
meaningful to me to this day the only thing this mo
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 27.0% 13.0% 61.0%
what persuade me to watch this movie be the bless bestow upon it by
the story original creator stephen king who claimed i wasnt prepare
for how good it really was he not wrong it be quite extraordinary the
attention to details the subtle but effectiv
Movie title: It
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 15.0% 9.0% 76.0%
this be one of the well movie i have see all years and one of the top
horror story ever told a its creepy simplistic and eerie be impress by
the enchant simplicity of the plot the lack of need for hollywood
special effects and the haunt atmosphere th
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 18.0% 9.0% 72.0%
the others be a very remarkable film from much than just one viewpoint
in a era where you can only impress young horror fanatic with bucket-
loads of blood and gross-out effects amenábar actually re-teaches his
audience that fear be especially cause b
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 24.0% 10.0% 66.0%
the others be yet another in a long list of great horror movie of the
new millennium i have always love ghost stories and this film have
easily become my favorite ghost story every its like one of the great
old black and white ghost story but better
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 23.0% 6.0% 71.0%
its funny that i see this movie the way i do perhaps ism much
perceptive to little dramatic human touches but i see this movie and
be satisfy with it in fact i fall in love with it this movie be
chilling very spooky with a few moment that will make y
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.51 12.0% 11.0% 77.0%
if i have to sum up this movie in a words it would be chilling a the
others be a delightfully atmospheric suspense film a its tense scary
and very memorable -- i dont think ill ever forget the image of a
terrify nicole aidman clutch her rosary bead a
Movie title: The Others
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 13.0% 7.000000000000001% 80.0%
alexandre ajar you have a new fan before this movie be release in
theaters i make sure to watch wes cravens original endeavor let me
just start out by say that compare to todays standard and conventions
cravens classic the hills have eyes seem almost
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 25.0% 13.0% 62.0%
what make early wes craven movie so special be this early and daunt
atmosphere he be so good in create and this be what hills have eyes
2006 totally lacked firstly the music through out the movie be awful
and totally clich and unfortunately diminish
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 11.0% 22.0% 67.0%
the hills have eyes although a remake of the original be everything a
horror movie should be typically ism not a fan of slasher flicks but
this movie have element i like to see in a movie i dont like to see
the protagonist make stupid mistake the old
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 6.0% 28.999999999999996% 65.0%
i havent see the original but i now want to because this movie rocked
the movie start a a slow-boil suspense horror movie provide some
decent jump-scares at little in the theater and spend some time build
up character the movie then switch gear and t
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 14.000000000000002% 19.0% 67.0%
shocking disturbing at time hard to watch all word to describe the
horror of be force to watch moore take his shirt off but this term
also accurately describe this brutally vicious upgrade on wes cravens
1977 low-budget horror classic what would you
Movie title: The Hills Have Eyes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 17.0% 14.000000000000002% 69.0%
and by rate i mean the pg-13 one seems like you can get away with
murder this day with a pg-13 rate seriously thought while this be one
detail that get discuss quite a bit even before the movie come out
many fearing no pun intended that taimi have lo
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 21.0% 14.000000000000002% 65.0%
it take sam taimi to bring fun back to the horror genre and ism so
glad he did in a sea of torture porn and found footages garbagey this
be a rare jewel that make you realize what youve be miss a a horror
fan if youre into samas other works you will
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.57 11.0% 13.0% 76.0%
seeing the trailer to this movie i expect to go in and have a few
scene that be one that make you jump but i also expect the movie to
have something scary in it that make you think when you leave the
theater if you be look for cheap thrills loud musi
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 7.000000000000001% 23.0% 70.0%
i just feel compel to post this because somehow and i canst even begin
to understand how people and even professional critic like this movie
i dont get it i love evil dead and i still dont get it because this
wasnt campy -- it be just bad seemed thro
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 15.0% 26.0% 59.0%
the early trailer for drag me to hell dub it a sick the return to
classic horror and for once at least they be correct sam taimi manage
to incorporate genuine thrill and terror use the old-fashioned format
of surprise misdirection and suggestion as a
Movie title: Drag Me to Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 13.0% 9.0% 78.0%
southbound doe three thing well first it have some genuinely new story
to tell thats not typical for horror where the same few story be
iterate upon repeatedly second it have fascinate character that be
bring to vivid life with remarkably few brush s
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 23.0% 11.0% 66.0%
checked southbound out at the midnight madness screen at tiff 2015 and
it be a blast a throwback to the horror-anthology style of the 80 but
with a fresh twist on the wraparound the device in which each segment
flow into the next be unique and add a
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.57 13.0% 16.0% 70.0%
or at little a really cool version of hell several story connect
together to create one big vicious cycle of a horror story about the
misfortune of a few people to end up on the wrong side of the dessert
its a anthology that remind me of the twilight
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.31 15.0% 14.000000000000002% 71.0%
this be one of the much surprise find in recent years it absolutely
have no right whatsoever to be a entertain a it is if you be a horror
fan you be in for a treat a it solidly check off every box one can
imagine its vary yet interlock tale serve up
Movie title: Southbound
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 5.0% 7.000000000000001% 88.0%
first off the downsides some part of the movie seem a little draw out
the film be two hours and at certain times you can feel that its far-
fetched and i can imagine some people roll their eye at the storyline
and there will be some people walk out sa
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 31.0% 7.000000000000001% 62.0%
ism not sure what the original comment leaver see last night but it
certainly wasnt silent hill see a critic screen last night and must
say i be highly impressed as a fan of the games and anything relate to
them my faith have be firmly establish in g
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 18.0% 14.000000000000002% 68.0%
you have to approach any movie adaptation of a video game with extreme
trepidation think of the other corker weave all catch on tv in the
past super mario bros mortal combat resident evil stinkers one and all
doom be vapid but at little get close to
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 8.0% 11.0% 81.0%
horror try psychological triller and you may be close to understand
why be it that i find silent hill such a amaze piece of work with that
in mind the reason why silent hill work for me be because it have a
story to tell granted some of us be already
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 16.0% 6.0% 78.0%
for everyone who have see or be go to see or be think of see silent
hill do not go into it think oath its go to be a scary movie because
its not suppose to be its for intelligent drama base crowd who like
good visuals story line acting and mystery th
Movie title: Silent Hill
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.94 11.0% 15.0% 74.0%
never post anything here before but after watch normi i just feel that
i have to write down my thought about it firstly do not compare this
to blair witch this movie deserve far well than that simply put normi
be probably one of the well horror movie
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 9.0% 13.0% 78.0%
note check me out a the tasian movie enthusiast on youtube where i
review ton of asian movies anyone familiar with horror film know that
much of them be not scary at all some people enjoy gorefests with
subpar story line and character development i p
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 4.0% 10.0% 86.0%
ok so i watch this at am with all the light off and my headphone on
and all alone in my apartments and i have to say i damn near soil
myself towards the end on many occasion i find myself hold on to the
edge of my sofa its that scary and believe me i
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 7.000000000000001% 11.0% 82.0%
suffice to say i have never see a film quite like noroi it be perhaps
the creepy film i have ever watched note that i say creepy not scary
there be nothing that will make you jump in this movie but there be a
level of terror and suspense you ll be ha
Movie title: Noroi
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.82 15.0% 18.0% 67.0%
the babadook isnt for the mainstream crowd if youre look for jump
scare and scary monster you wont find any here the babadook be a movie
that tap into the basal emotion of fear it portray the truly terrify
thing in life grief loneliness and despair n
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 26.0% 64.0%
never write a review before havent feel the need but after see the
star review of this filmi just feel compelled firstly what this isai
would say a cross between the shining and we need to talk about kevin
this film be desperately sad a woman who be
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 13.0% 18.0% 69.0%
at of glanced the babadook may sound like a tale that warn people a to
not let child put creepy story up into their heads it may also a be
like one of that old horror movie with child be influence a by the
ghost the titular monster seem to have the p
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.8 19.0% 15.0% 66.0%
youve hear of feel-good films good this be not one its creepy and
disturb pretty good all the way a good old horror fantasy with a nod
to the psychological canniness of nightmare on elm street but much
much economical in term of special effects cast
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 22.0% 10.0% 68.0%
i see this film on copenhagen pix yesterday the movie be compare to
the orphanage and even though i like that film i be a bite in doubt if
i should go for it because i be not in the mood for a heavy emotional
mother and son horror-drama but its every
Movie title: The Babadook
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 12.0% 12.0% 76.0%
while do some research before review 1408 i be shock to discover that
this be the of time since 2004 riding the bullet that a film base on a
stephen king story have get the big screen treatment 1408 mark
somewhat of a comeback to the silver screen fo
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.9 10.0% 6.0% 83.0%
ive never see a horror film quite like 1408--can you even call this
film a horror well its not the horror movie were use to see in this
day and age the film that be suppose to scare us nowadays be make from
the same recycle junk weave be see for year
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 13.0% 9.0% 79.0%
if your horror movie taste run little towards chainsaw-wielding maniac
and much towards things-that-go-bump-in-the-night then this be the
movie for you based on a short story by the great stephen king 1408 be
one of the genuine movie sleeper of summe
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 14.000000000000002% 11.0% 76.0%
just when you think it be safe to check into a new york city hotel
along come mikael hafstrom chill 1408 not since norman bates terrorize
guest at his motel have a pay customer receive such treatment during a
nights lodgings although somewhat much ce
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 18.0% 12.0% 70.0%
please note that this review refer to the theatrical version and not
the directors cut dvd release which feature a completely different
ending mike evslin be a cynic he be the author of book that detail and
debunk popular ghost story and haunt hot-sp
Movie title: 1408
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 15.0% 75.0%
this film be very notable to me for be the of a that i be aware of a
horror film to come out of a middle eastern islamic country for this
reason alone under the shadow be a interest movie horror film
generally work well when there be a sense of myste
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 12.0% 12.0% 76.0%
i have be follow the recent festival news regard under the shadow and
shortly after it premiere at the sundance film festival it be promptly
acquire by netflix the fact that netflix snag it right away from other
major distributor should be a real ind
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.54 15.0% 18.0% 67.0%
i see this at the phoenix film festival id say this be tie for my
favourite horror movie from that festival with eyes of my mother also
amazing ghost movie be really the only horror film that stand of
chance of scare me this days there be a few time
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 5.0% 20.0% 76.0%
this be a film about war and its atrocities the primary goal of the
film be obviously not to be a horror film during the iran-iraq war and
especially after saddam missile land in many part of iran many be
affect psychologically children who start scr
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 10.0% 17.0% 73.0%
under the shadow be such a wonderful surprise for me i have already
read some review and everybody be speechless about it i didnt really
expect something that good when i start watch film take place in iran
somewhere in the 80 when the iran-iraq war
Movie title: Under the Shadow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 21.0% 71.0%
why isnt this available in the us dont know how to describe this with
out make it sound like something its not but i have to say that this
be one of the creepy and much disturb film ive see in quite some time
its not perfect even if i give it a out o
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 10.0% 17.0% 72.0%
this movie be very touching in fact almost painfully so i would
recommend it to anyone in the mood to engage in a thought-provoking
narrative about the human condition have to admit that when i of see
this film i do not expect it to be what it is the
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 4.0% 32.0% 64.0%
sorry for the hyperbole topic but i mean it i be a horror movie
fanatic and i have become desensitize to cheap scare with loud noise
and murderer run around with axes i be very picky and only like one
out of every few dozen horror movie i watch i als
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.88 14.000000000000002% 21.0% 64.0%
kiyoshi kurosawa kairo have to be one of the much mesmerize
supernatural horror film i have ever seen the film be load with
extremely dark and brood atmosphere and some scene actually scare
menthe photography by junichiro hayashi be truly beautiful a
Movie title: Kairo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.76 13.0% 15.0% 72.0%
ism a big horror fan and this be the well little horror yarn ive see
in ages well acted with some recognisable faces brian cox be great a
the small town coroner that lead the autopsy on the titular body in
one scene he even manage to give me a sad lu
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 2.0% 79.0%
and a simply wonderful throwback to the 1970s when horror was well
horror -- and not base on gimmick like found footages but rather
genuine scene-setting story building audience engagement and full-tilt
creepiness probably destine to become a classic
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 7.000000000000001% 16.0% 77.0%
while investigate the murder of a family sheriff sheldon mcelhatton
and his team be puzzle with the discovery of the body of a strange
bury in the basement that doe not fit to the crime scene he bring the
corpse of the beautiful jane doe olwen kellys
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.79 18.0% 12.0% 70.0%
i see this movie at night with my wife not know what to expect i be a
huge horror fan from old school nightmare on elm street to blood and
gore film like dead alive include a few foreign film like i see the
devil but in no way be i prepare for this a
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 21.0% 12.0% 67.0%
from director andra øvredal trollhunter come one of the well horror
movie of 2016 the autopsy of jane does suspenseful clever and creepy
from start to finish this horror movie follow the story of father and
son played by brain cox and emile hirsch bo
Movie title: The Autopsy of Jane Doe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 23.0% 10.0% 67.0%
baskin come from a country for which horror genre outing be quite
atypical to see despite not have much to compare with locally it be
clearly a passionate and well-made horror even when examine against
country that contribute to the genre much much f
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.33 20.0% 19.0% 61.0%
came across this title while browse on read very positive review by
regular poster in hcb fortunately get a pirate dvd with subtitle for
of rupees the movie start very promising cops chat dine in some very
creepy motel the atmosphere be creepy the ch
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 12.0% 15.0% 73.0%
id have my eye on this movie for over a years constantly check to see
if when and where it be get released the of trailer for it immediately
hook me and i need to see this movie now i finally have and i can
safely say the wait be worth it with what l
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 26.0% 66.0%
if you be tire of modern horror film fill with cheap and force jump
scare construct in a way of mute down the sound and then throw a
explosion of loud noise in your face to try to scare you and be rather
interest in watch a film fill with tension dre
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 24.0% 67.0%
the market for international artsy horror flick have be surprisingly
lucrative in the past few years with acclaim film like the babadook
and goodnight mommy and even the american production it follows and
the witch but probably the much imaginative a
Movie title: Baskin
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 16.0% 12.0% 71.0%
kokuhaku for confessions be a real winner from japan just like the
title the movie be about the confessions of a group of people after
each confession a new detail be add into the story until it become a
complete story at the end feel empty very dist
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.01 11.0% 10.0% 78.0%
confessions be one of the much savage brutal and poignant revenge
story i have ever seen it doesnt start off all that great but it by
the end i be in awe the movie begin in a japanese classroom on the
final day of class before the spring break and th
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 11.0% 17.0% 72.0%
lionel shrivers novel we need to talk about kevin go place where few
novelist have dare to ventured she do a great job that entire stretch
where kevin go crazy be skillfully write and ms shriver deserve the
orange prize however director nakashima hav
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 18.0% 12.0% 69.0%
a surprise box office hit in japan confessions make its way to the
toronto international film festival and also choose a japans entry to
the oscars however its a very japanese movie i can only recommend to
viewer who have see over of japanese film or
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 16.0% 5.0% 79.0%
a good review doesnt always have to be long and there be really just a
few word need to describe this movie stunningly beautiful cinography
dark disturbing and yet great that be said dont diva into this thing
if you plan on watch a good fast revenge
Movie title: Kokuhaku
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 13.0% 19.0% 68.0%
back in 2009 director sean byrne bring the lovely ones to the toronto
international film festival tiff the film win the midnight madness
peoples choice award but it somehow never really catch on amongst
horror film enthusiasts i myself must admit tha
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.57 28.000000000000004% 24.0% 48.0%
when i of see the description of this movie i think yeah just another
possession movie yawn probably go to be a waste of my evening but then
i take a look at how many positive review it be get and decide to give
it a go and to no disappointment this
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 11.0% 18.0% 71.0%
wow a great horror movie i be slightly put off by the cover art of
this movie and almost miss this one think it be a slasher film it be
not i be not a fan of simple gore slasher movie and i visually
categorize this a something akin to devils rejects
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 18.0% 16.0% 66.0%
the big problem modern horror film seem to have be make the audience
care about their characters generally they be so cliché bland dumb and
unrealistic that within the of minute of the film no one care any long
about their fate so when i see early on
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.08 16.0% 16.0% 68.0%
this movie be tense disturbing with some heavy imagery gripping and
have great acting its not so much scary a its disturb different things
the way i see it watching it be a intense experienced theres some lack
of imagination in the underlie plot in p
Movie title: The Devil's Candy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 23.0% 17.0% 61.0%
ism floor by the poor reception this movie got its a love throwback to
horror classic with modern polish clearly influence by hp lovecraft
and body horror classic like hellraiser and the things if you like
classic horror i horror before cgi and jump
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 17.0% 11.0% 72.0%
i be shocked see too many 80s feel horror or so called which be either
poorly film or the act be painful just hear about this and think not
another but happy to say this be very good its not go to win any
oscars for acting the script be not shakespea
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 21.0% 14.000000000000002% 65.0%
first off ive see some negative review on here that have truly
surprise me after grow up a a fan of horror during that wonderful 80
period i can honestly say the void feel a comfortable a it doe
uncomfortable especially if youre a fan of that movie o
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 21.0% 6.0% 73.0%
i attend a screen of the void at the nevermore film festival in
durhams ncc it be a remarkable throwback to classic john carpenter-
style films i hesitate to list too many detail about it since the feel
of the film be very much like a nightmare that m
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.8 10.0% 14.000000000000002% 77.0%
i step into this flick without know what it be all about so it be a
big surprise that i find this one a gems can i say something negative
about the void well not maybe for some the story will be a void
because its all about weird things supernatural
Movie title: The Void
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.51 14.000000000000002% 15.0% 70.0%
this movie make you realize why so many other movie fail to be scary
not enough psychological elements what this movie doe right be that it
skip the goree and blood and over-the-top overact craze lunatic that
seem the norm in horror movies i see this
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.58 12.0% 14.000000000000002% 73.0%
i of watch this movie with a couple of friends to be honest i be
expect a teenage slasher flick i be prove wrong the film circle around
a curse videotape that cause its viewer to die in seven days
investigative journalists rachel keller begin to unco
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 7.000000000000001% 74.0%
before i see the ring i use to think of horror movie a something about
a supernatural sometimes not supernatural force that gobble up people
in bizarre series of death usually accompany by blood and goree maybe
i ought to blame it on my own selection
Movie title: The Ring
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 20.0% 26.0% 54.0%
the year be 1939 the spanish civil war be near its bloody end ten year
old carlos the orphan son of a slay republican be leave by his tutor
at a isolate orphanage for boys the school be destitute barely able to
provide enough food for the children bu
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 16.0% 25.0% 60.0%
a beautiful atmospheric story about a haunt orphanage to date i think
its del torous much complete film combine his trademark visual with a
very touch story about war death guilt and grief and ultimately
homelike panes labyrinth the story be set agai
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 12.0% 17.0% 71.0%
the devils backbone el espinazo del diablo aspect ratio 85 1sound
format dolby digitalduring the spanish civil war a young orphan boy
fernando twelve be send to a isolate board school where he encounter
the ghost of a murder child junior valverde who
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 9.0% 15.0% 76.0%
the devils backbone be a spanish language supernatural thriller a it
consist of a haunt school for orphan boys a now in a american film
that would be all you get a ghost run around scare the young
inhabitant of the gloomy building a thats it and it w
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.47 13.0% 12.0% 75.0%
great care have be take with the art direction you be immediately
transport to 1939 with francois army about to descend on the spanish
countryside even the crumble building of the boys school the character
inhabit play a role the actor be superb and
Movie title: The Devil's Backbone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 11.0% 71.0%
sleep tight be both a intense intrigue and a excite portrait of subdue
madness ¨mientras duermes¨ the official english title be sleep tight
but the correct translation be while you sleep which to me be far much
creepy live up to jame balaguero reputa
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.81 18.0% 13.0% 69.0%
i have no idea what this film be about before i see it and boy be i
pleasantly surprised from the same director a rec and also set in a
apartment block this spanish gem have a great cast especially the lead
luis toward who play his part superbly fill
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 9.0% 10.0% 81.0%
firstly i feel it be important to state that though the market say
everywhere from the director of recur and i understand why this be
nothing like rec i personally think that rec be a excellent film and
despite be a addition to a over exhaust genre a
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 16.0% 16.0% 68.0%
i have see erect some month ago and i just wasnt sure i means how can
you tell if there be a visionary director or some random guy who just
get lucky rec wasnt so demand by concept and it all work out fine so i
have to check another one by and this t
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.34 16.0% 14.000000000000002% 70.0%
as a horror fan i like watch at little one horror film every day when
i get the chance and recently ive notice a certain pattern in thriller
horror films theyre mostly thrillers with some touch of horror and not
basic horror mientras duermes sleep ti
Movie title: Mientras duermes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 23.0% 69.0%
although the word grudge doesnt quite fit the bill a part of the title
of a horror film -- one think the curse would have be much appropriate
but such be the curses of translation -- ju on hold up extremely good
a a horror film built upon a notion th
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 13.0% 9.0% 77.0%
rika wishing megumi okina work for a social service agency in tokyo
although sheds never see any clients when a new case come in and
theyre short on staff her boss have to send her out her of case be a
doozy when she enter the clients home no one see
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 13.0% 17.0% 70.0%
ju-on the grudge be not a easy movie to find in america for at little
it wasnt when i of write this review and after hear it hype to the
heaven in magazine such a fangoria and rue morgues and by word of
mouth a well i know i have to see it i finally
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.77 11.0% 7.000000000000001% 82.0%
if you only love american cinema and hate everything not english you
ll hate it if watch ring make you feel that you somehow know a lot
about foreign movies you ll just sit and compare the two a which be
too bad because theyre both great in their own
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.79 8.0% 16.0% 76.0%
unlike many of the reviews below ism not go to take cheap shot at that
who may not like ju-on will say however that any fan of supernatural
horror owe it to themselves to decide on this one for themselves
wholeheartedly agree with that who find this
Movie title: Ju-on: The Grudge
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.17 10.0% 11.0% 79.0%
sometimes i cannot understand the dissonance between me and a great
numb of movie reviewer on this page i have not see any trailer of the
sort because i didnt want to preview part that may spoil he movie with
that said ism so glad i watch this film t
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 10.0% 14.000000000000002% 76.0%
ism not go to give a review of this film ill leave that to other who
can argue whether it be worth watch or not for me i feel it be one of
the well thriller with a horror bend that i have see in a long while
but herems the things i dont really like h
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 13.0% 5.0% 81.0%
i couldnt believe my eye when i see the score for this film it doesnt
do it any justice and some of the review ive read here dont make valid
point in my opinion so i feel i owe this film my own review first of
all the tension man this thing have a ki
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.83 26.0% 15.0% 59.0%
ive read a few review here both for and against the film ism a die
hard thriller fan and i think that this film be very good done it be
slow- but why be that a bad thing ism not sure it build to a great
ending a my only me be the actress who play ede
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 23.0% 66.0%
i be intrigue by the invitation due to the seriously glass of red wine
on the posters it look at once mature and allure but also incredibly
dark i convince my brother to watch it with me one night and this be
our story the invitation set itself up a
Movie title: The Invitation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.73 11.0% 7.000000000000001% 81.0%
hush be a lot like the strangers except instead of stranger plural its
only one man and instead of a husband and wife be terrorize its a deaf
and mute recluses its very tense and cleverly write bar a few clich
trope that come with this kind of movie
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 12.0% 20.0% 67.0%
great idea that unfortunately fall short of what i expected both lead
character be make to purposefully fall short in their ability to
outsmart one another by simply be mediocre at be the killer and the
obvious survivor so youre not so much glue in a
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 13.0% 4.0% 82.0%
hush be a fast-paced modern slasher flick with a twist take on the
genre well the twist here be that the lead protagonist be deaf and
mute from her teen and the director-writer combo of mike flanagan and
kate siegel who also happen to be husband-wife
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.43 10.0% 9.0% 81.0%
hush focus on maddie a deaf-mute writer live alone in a remote house
where she be accost one even by a psychopath hellbent on terrorize and
murder her and direct by mike flanagan who many have cite a a
contemporary horror maestros hush be a straightf
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 19.0% 72.0%
maybe it say something about me that i be able to figure out that she
be deaf before the movie tell me over and over again while that may
seem insignificant at first it set the stage for a overly predictable
movie to come not even come in at of minut
Movie title: Hush
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.31 12.0% 13.0% 74.0%
what be the ingredient of good horror a small contain location and
group of people a situation that force and magnify events a terrify
protagonists characters you care about authenticity this movie have
all of this in spades the location be a tiny se
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.37 13.0% 13.0% 73.0%
as night begin to fall for a thirty day spell over a small alaskan
outpost village a motley crow of vampire come waltz in for a feast in
david slades adaptation of the graphic novel 30 days of night ever
since interview with the vampires vampire have
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 20.0% 8.0% 72.0%
i have the opportunity to see this film tonight at a free screen at a
theater in chelsea ny with the director david spade melissa george and
josh hartnett all present at the screen and i walk in expect another
run of the mill vampire movie and walk a
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 21.0% 71.0%
30 days of night be easily one of the well horror movie ive see in a
very long time mostly because everyone involve seem to know exactly
what it take to make a decent horror movie its not obscene amount of
gore or monster jump out at the camera that
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 7.000000000000001% 76.0%
i didnt think i can get exit by watch a vampire movie ever again all
the great have make fine use of the mythology francis ford coppola
neil jordan steven norrington guillermo del toro and let not forget
one of the great ff we murnau of day of night
Movie title: 30 Days of Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 13.0% 80.0%
i really enjoy the of film the character be real they make
understandable decision in stressful situations it be a fresh take on
a very clich general zombie films the a film unfortunately have none
of that unrealistic character make the same irration
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 13.0% 79.0%
of weeks later have to be the much disappoint sequel ive ever seen
this review will contain spoilers however its nothing that the
filmmakers themselves havent spoil to start with lets start with the
much fundamental element of film-making camera work
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 10.0% 14.000000000000002% 76.0%
this film sucks the director use only one shoot style shaky-cam the
director somehow end up read this review shaky cam shoot doe not equal
good unique or even a innovative shoot style its use by people who
need to cover up their lack of a story with
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 10.0% 16.0% 74.0%
ism open to believe the us army be stupid- but that stupid how do kid
get out of the safe zone and manage to steal a moped ride through
london hang out at their house and meet their mother before the army
can catch up with them the purpose of putt th
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 11.0% 25.0% 64.0%
having see of days later i think i be prepare for this but i be not
somewhere near the begin of the film be a scene that go from zero to
psycho in about second flat the begin of 2004 dawn of the dead also
have a wildly chaotic kick-off scene but unli
Movie title: 28 Weeks Later
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 16.0% 7.000000000000001% 78.0%
it be difficult to describe the movie actually to describe what be
attractive andor excite about the movie for me you can say that it
begin much than slow but will build up and be very disturb toward the
end ism not gonna give anything away from the
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 15.0% 18.0% 67.0%
some movie ask of your time like other seldom dare to try these be the
much rewarding in my opinion because have allow ourselves to be so
absorb and entrench in their sagas our empathic connection with their
character can almost make us feel like we
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 18.0% 18.0% 65.0%
as manipulative a a lot of hollywood fodder bedevilled should be a
sinker that it isnt be testament to its beauty commit performance and
a fine feel for harshness though overlong its powerful and
occasionally savage stuff we follow hae-won return to
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 8.0% 76.0%
bedevilled be another and once again brilliant tale of revenge come
from south korea which be in the vein of already now legendary
masterpiece such a oldboy and i see the devil what distinguish this
movie from the other one and justify itself to meri
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 15.0% 6.0% 78.0%
first thing first i really dont know whether the people from the west
who arent that familiar with asian culture that too the rural culture
would really relate good to this movie but i think its one of the much
interest movie ive ever seen to be fran
Movie title: Kim Bok-nam salinsageonui jeonmal
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.09 9.0% 9.0% 82.0%
if you be go to make a horror suspense gore flick that want to be take
seriously like this one obviously does of of all you need believable
character that the viewer can take seriously unfortunately of l
intérieur set a new standard for ridiculous an
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 6.0% 23.0% 71.0%
the only shock thing about this slasher be its rate obviously some
people be really easy to please shock first off if the event take
place on christmas totally irrelevant for the plot by the way why be
all the foliage green was in late-summer green a
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 14.000000000000002% 77.0%
i can only blame myself for have watch this ludicrous film to the end
after all it be on cable and all i have to do be change the channels
but i didnt and now ill have hideous image burn into my memory for a
long time to come the plot be so unbelieva
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 8.0% 18.0% 74.0%
i have to say ism a pretty big horror buff and its be quite a long
time since i see a film a offensive and irritatingly stupid a inside
the story concern a young pregnant woman who be menace in her home by
another woman who want to steal her baby one
Movie title: Inside
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 15.0% 11.0% 73.0%
how rare be it that we get a good monster movie the 1950 be fill with
monster movie that a cheesy a they were they be also a ton of fun
victor salva be a fan of that movie and it show when he write jeepers
creepers a fun horror film with a great new
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 10.0% 12.0% 78.0%
victor salva auteur turn in b-horrorland be well than most mainly
because he be so much much interest a storyteller than many of his
genre contemporaries a jeepers have several thing go for it suspense
develope characters above-average acting and vis
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 19.0% 6.0% 75.0%
every once in a while a new horror film come along that reinvent the
genre jaws halloween the exorcist a nightmare on elm street these film
not only prove to be entertaining but they add something new and
visionary to a market that seem to thrive mos
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.48 13.0% 14.000000000000002% 74.0%
jeepers creepers have much in common with 1950 ec horror comic book
than any horror movie that have be make in the past twenty years a
that fact isnt bad its great a there be a lot of horror plot idea out
there that have never see decent expression a
Movie title: Jeepers Creepers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 12.0% 14.000000000000002% 74.0%
i must say that abia be one of the good thai horror movie directors
from shutters body of and iron lady prove that they all can come up
with suspenseful tale together there be four story and each of them be
of minutes the four story be pretty engross
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 17.0% 19.0% 64.0%
there be no such thing a asian horror even though there be plenty of
common elements each country have its own way of deal with horror
films especially stylistically abia be a new anthology project give
room to four thai talents the four story be eve
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 10.0% 71.0%
so ism go to write a little mini review for each short a they show and
a i see them and then do a review of the movie a a whole after story
of happiness effective little ghost story use testing a a medium where
a recently decease ghost talk to a home
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 16.0% 20.0% 64.0%
its be a while since ive see a thai horror i really liked or every
maybe since the much memorable be shutter and i wasnt a take with it a
much people be though i want to give it a a viewing 4bia be a
anthology of four horror story of about a half hou
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 19.0% 9.0% 71.0%
i have the pleasure of watch this thai anthology tonight separate
story without a wraparound i be pleasantly surprised the of story be
about a woman and her cell phone and all of a sudden someone message
her out of the blue she be kind of lonely so s
Movie title: See prang
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 14.000000000000002% 65.0%
phobia be was be predecessor divide into short segments direct by a
all star team of thai movie makers that be maker of movie of the scary
kind its rather unfair to write a review of the movie a a whole so
instead ill write a bite about the individua
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.86 22.0% 18.0% 60.0%
i admit this movie be excellent it get much scare and much gory the
movie have stories novice ward backpackers salvage in the end i like
of them novices be gory ward be scary backpackers be thrilling salvage
be scary yet gory and in the end be funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 24.0% 68.0%
an anthology be the sum of its parts so how doe this particular set
stack up novice a young man with a trouble past be leave to live among
monks where karma catch up to him interesting idea but lack in
execution and a bite bore until the end ward an
Movie title: Ha phraeng
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive
0 positive 0.2 14.000000000000002%
Negative Neutral
0 14.000000000000002% 72.0%
i quite like phobia so i be quite disappoint that this sequel with
five segment by different directors doesnt come close to match the
first what i especially like about phobia be that three out of the
four story have good suspense for horror with rel
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.49 19.0% 9.0% 71.0%
in the plot summary it describe the last story to be scary but it be
actually very funny
Movie title: Ha phraeng
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 15.0% 8.0% 77.0%
well then what do we have here a modern horror film place in the 70
80s era i already like ti west thinking with much horror film today be
god damn awful it refresh to see one which pay homage to the classic
while try to be unique from start to finis
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 6.0% 14.000000000000002% 80.0%
in the house of the devil a young co-ed jocelin donahue hard-up for
money to pay the rend on her new place off campus answer a ad for a
babysitting job way out in the boonies only to be plunge headlong into
a bizarre devil-worshipping cult in search
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.89 12.0% 14.000000000000002% 74.0%
ti west who direct the underrate cabin fever of spring fever be a name
to watch out for the house of the devil although not fantastic prove
that west have a excellent eye for visuals detail and create suspense
this film feel a though it have come dir
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 3.0% 16.0% 81.0%
i hear some good thing about this film before viewing and then on this
site hear some bad things ive come to believe that listen to other
doesnt always help its all about opinion and experienced and in my
opinion this experience be worth itai wont ge
Movie title: The House of the Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 8.0% 10.0% 81.0%
contrary to common belief this film actually portray three consecutive
era of hungarian historical reality use visually shock symbolisms the
film start with the final day of fascism where one oppressive extreme
give birth to a other directly opposite
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.6 8.0% 6.0% 86.0%
georgy palsies a feature taxidermic be definitely a milestone in
hungarian film-making it be a truly astonish experience and i would
thoroughly recommend it to anyone want to broaden their taste for
cinema i find the film to be a deep black comedy wi
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 6.0% 14.000000000000002% 79.0%
györgy pálfi a feature length movie be taxidermia which be about three
generation of a family and all of them have something very peculiar
about them the of one be a horny officer his son be a very big sport-
eater and his job be very important of him
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 16.0% 2.0% 82.0%
i think this be a true original and it make me break out in a sweat at
certain points not many film have a physical effect on their audience
there be some astonish moment and scene transition that be literally
breathtaking i didnt believe the directo
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 20.0% 8.0% 72.0%
a soldier with a rich sexual fantasy and lot of time on his hand for
well said with his hands an obese man compete in eat contests a
taxidermists what do they have in common well quite simply put part of
their genes they are respectively the grandfat
Movie title: Taxidermia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 22.0% 4.0% 74.0%
i do not know anything about mike when i see gout i read about in a
magazine randomly and it sound like something i have to see then i
wait a few week until it be in the theatre here i tell my fellow david
lynch fan officemate they here be this movie
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.8 11.0% 12.0% 76.0%
mike be probably one of only a dozen director to make 6-8 movie a
years yet he be the only one to keep not only a consistent quality at
this rate but also to keep surprise his fans gozu be a case in point
yakuza meet turn ugly when ozaki in a paranoi
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.62 16.0% 14.000000000000002% 70.0%
this be perhaps the of movie ive ever see thats have me consistently
laugh out loud and then nearly creep me out to the point of passing my
pants dont get me wrong this movie wont have you shriek because of
frights but it will quietly nestle itself i
Movie title: Gozu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.82 7.000000000000001% 9.0% 83.0%
despite all the nice thing that people have to say about this film the
plot twist in it make it a utter waste of time spoilers follow
although i doubt i can spoil the movie any much than the director
already did although i doubt it make a difference
Movie title: High Tension
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive
0 positive 0.6 14.000000000000002%
Negative Neutral
0 14.000000000000002% 72.0%
and so will faces slash throats dismember hands decapitate heads backs
arms feet stomachs chests in fact just about everything that can bleed
doe bleed in this movie and doe so copiously high tension aka
switchblade romance much well title be the wel
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 15.0% 76.0%
my god without a doubt i have not be affect by a movie this much since
watch the original texas chainsaw massacre when i be good under age
and the movie be certainly much than dodgy i couldnt sleep after watch
that and be very uneasy multiply a gazil
Movie title: High Tension
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 26.0% 4.0% 70.0%
i just canst get enough of this film this year alone i have already
watch it time and the year isnt even do yet it work on so many level
and be so much fun the way the convention of the horror genre be turn
upside down while at the same time the stor
Movie title: The Cabin in the Woods
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 1.0 28.000000000000004% 7.000000000000001%
Neutral
0 66.0%
if you be a fan of art drama or you simply dont like the horror genre
i can understand if you hate this but for every true fan of horror
with at little a basic knowledge of at little cult horror through the
history of the genre this should be a real
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 15.0% 10.0% 75.0%
this film be a horror movie that be poke fun at horror movie and movie
in general so if youre look for a film that you can cradle a scare
lady-friend to this be not the one to anyone who have watch southpark
britney spears episode you will know the p
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 20.0% 12.0% 68.0%
the cabin in the woods be a spin on the horror genre from writers joss
when and drew goddard without give away the spoilerish part of the
plot ill simply say that it involve friend who fit the horror movie
stereotype jock slut party-guy nerd virgin w
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.65 20.0% 18.0% 61.0%
ism a big horror fan i have be since i be a young child ive never see
anything like this movie before its a combination of everything its
take everything from every other horror movie and throw it all into
this movie but what be really impressive be
Movie title: The Cabin in the Woods
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 10.0% 14.000000000000002% 75.0%
even the website of this movie give me the creeps and it turn out to
be one of the scary movie ive see in a while a we follow the touch
story of a young hong kong girl blind from her early years who undergo
a corneum transplant after soften us up wit
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.81 17.0% 16.0% 67.0%
of all the horror movie genre in existence ghost story have always be
my personal favorites the hauntings ju-on the innocents ring the
shining all nice moody creepy ghost tales the eye now find itself at
the top of my list along with the aforemention
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.21 10.0% 10.0% 80.0%
this be not the of time that a movie where the main character get
corneal transplant which not only make her see but give her paranormal
capability have be done a good reference be blink where madeleine
stowe be the receiver of the creepy transplants
Movie title: Gin gwai
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 14.000000000000002% 16.0% 70.0%
ive be to thousand of movie in my lifetime and own hundred of video
and dvds so i be a fan but not a bona fide film critics a this be my
of online review my wife and i see the original dawn of the dead of
year ago at a midnight show and leave wire en
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 17.0% 11.0% 72.0%
if you havent guess already i canst sing the praise of this movie
enough at last a zombie flick that be two very important things not a
b-movie of an absolutely crack a-movie just get back from the cinema
still amaze with the quality of this film i d
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 14.000000000000002% 12.0% 73.0%
shortly after a numb of strange case begin to appear at the hospital
where ana sarah polled works a bizarre zombie epidemic hit the
milwaukee wisconsin area full force sarah escape her immediate threat
and meet a numb of other human who decide to see
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 19.0% 6.0% 76.0%
i go into this movie completely excited and i wasnt even really
disappoint either the act be very good and i actually love how they
didnt follow the exact storyline they take the basic of the original
dawn of the dead and make it much contemporary i
Movie title: Dawn of the Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 13.0% 9.0% 78.0%
the of thing you need to know before you watch ginger snaps be thats a
real horror movie that mean genuinely unsettlings disturbing makes-
your-skin-crawl kind of stuff and youre plunge right into this from
the start the open scene involve a mother an
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 22.0% 11.0% 67.0%
ism so happy that i watch this brilliant gem of a horror movie two day
again that politically correct time where idiotic mtv-oriented teen
slasher and comedy be make in the sit be really good to see such
original film like ginger snaps why because it
Movie title: Ginger Snaps
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 16.0% 8.0% 76.0%
brigitte now have the virus in her blood that destroy her sister
ginger in the of film so to prevent herself from change into the beast
she inject monksblood into her system but after a overdose she wake up
in a rehabilitation clinics which now she h
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 21.0% 11.0% 68.0%
you know tis such a shame that neither of this film go wide release
sure they need a little touch up in some place but this film be
definite quality material a breathe of fresh air in the horror film
which be recreate itself once again a a truly impo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 15.0% 7.000000000000001% 78.0%
this be the only sequel i have see that can be consider a improvement
on its original i m a great fan of ginger snaps and be really excite
about this film when i of hear about it unfortunately when it arrive
at the cinema i be to young to see it ism
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.66 12.0% 10.0% 78.0%
ginger snaps of unleashed actors emily perkins tatiana maslany eric
johnson writers megan martin director brett sullivan the a part of the
ginger snaps trilogy pick up after the of one brigitte have infect
herself with gingers blood who have turn int
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 14.000000000000002% 16.0% 70.0%
this be a enjoyable and surprisingly competent dev follow up to cult a
hit ginger snaps the of film be dark entertain and witty and a have a
good amount of tension and scares the sequel be good fun but a lack
the wit of the original and a certain amo
Movie title: Ginger Snaps 2: Unleashed
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 6.0% 3.0% 91.0%
i have see other film by jan svankmajer so i have high expectation
when i go to see this late release i be not disappointed this be
possibly svankmajers much accessible feature film a it follow a simple
linear narrative on a parallel to a a fairytale
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 31.0% 3.0% 66.0%
i have the good fortune to see this at a special show in washington
introduce by the director a i just want to say that i find it
fascinating very funny and pretty unnerve at moments a friends of mine
have recommend svankmajer animate works which i h
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 16.0% 7.000000000000001% 77.0%
the film be base on czech fairy tale otesánek greedy guts it be a
story of a love but childless couple karel and ozena whose big dream
be to have a baby to make his wife smile karel dig up a tree root and
carve it to look like a human baby so overwhe
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 16.0% 8.0% 76.0%
i have never hear of jan svankmajer before see this after record it at
3o clock in the morning on channel four and i certainly wasnt
dissapointed this film a like the rest of svankmajer work be truly
original and unique its a must see for anyone whoa
Movie title: Otesánek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 13.0% 4.0% 83.0%
----le pace des loups--- or-- --the brotherhood of the wolf--- or
-------el facto los lobos---- ---title in french english and spanish
respectively is simon one of the most original movies in modern cinema
le pace des loups be a very entertain movie
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 13.0% 12.0% 74.0%
in 1765 something be stalk the mountain of south-western france a
beast that pounce on human and animal with terrible ferocity indeed
they beast become so notorious that the king of france dispatch envoy
to find out what be happen and to kill the cre
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 22.0% 9.0% 68.0%
from what i see in the preview this look like a interest movie then i
hear from some friend that it be pretty good so some buddy of mine and
myself go and see it a i have to say that i loved this movie a i know
it be go to be subtitled and i know it
Movie title: Brotherhood of the Wolf
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 25.0% 4.0% 72.0%
the premise of shadow of a vampires be simple what if max schreck be
really a vampire pose a a actor play a vampire in the murnau
masterpiece nosferatu well the result be both slightly scary and
pretty funny director elias merge and writer steven kat
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 12.0% 5.0% 83.0%
every once in a while a movie come along that completely and maybe
consciously defy categorization and shadow of the vampires be a great
example a it be at once a black comedy a horror movie with a unique
setting and a bite sendup of the art and busi
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 26.0% 6.0% 68.0%
a fictionalize account of the make of the classic vampire film
nosferatu direct by ff we murnau shadow of the vampires be a interest
yet creepy film but above all its willem defoe magnificent performance
a max schreck that make this film unmissable s
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 9.0% 73.0%
this movie be a true relief for everyone who think the genre of horror
and mystery be dead and buried it feel good to see that its still
possible to create movie like this even though the plot be rather
simple the movie seem to be very original and i
Movie title: Shadow of the Vampire
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 21.0% 13.0% 66.0%
i wouldnt have thought that i can watch one much torture horror movie
and be entertain by it the loved ones however may be the last movie of
that subgenre to actually be worthwhile really worthwhile that is much
like wolf creek another australian hor
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 20.0% 14.000000000000002% 66.0%
the horror genre be in a sad a state a every but its not for lack of
trying the talent be there the fan base be there the possibility be
there the main issue be a lack of common sense on behalf of producer
and distribution companies as with 2009 fabu
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.85 17.0% 14.000000000000002% 69.0%
i attend the international premiere of the loved ones at the 2009
toronto international film festival in two words the film be a instant
classic sam taimi step aside this australian carrie flick be perfectly
execute in the hand of first-time feature
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 16.0% 6.0% 79.0%
totally surprise by how awesome this was i be expect some campy
shallow high school horror film and instead get real thrills real
scares and real characters canst stress that enough awesome
performance by actor who have character write a real people
Movie title: The Loved Ones
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 9.0% 4.0% 87.0%
walk out in film be a dime a dozen bad act terrible script or maybe
the vibe be all off its all part of the hollywood game when people
walk out of raw in paris last year at its of screen it be for none of
this reasons the reason people walk out and t
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 28.999999999999996% 10.0% 60.0%
i hear the hyper how this film be so horrific that people leave midway
through the film after be so repulsed they be physically ill i go in
with the negative expectation that this be go to be a gore fest
spoilers its not what we have here be a partic
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 16.0% 74.0%
we have all see the umpteen coming-of-age or sexual awaken story but
when be the last time you see a becoming-a-cannibal story this be one
incredibly muscular piece of filmmakings marry visual poetry with
slow-burn horror into one potent and delectab
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.66 8.0% 8.0% 84.0%
for her debut feature film writer and director julia ducournau opt for
the particularly taboo subject matt of cannibalisms its a bold and
admirable moved a if theres anything that get audience member up in
arm and storm out of a movie theatre its the
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.45 17.0% 15.0% 67.0%
what a disgust way to spend a hour and a half raw be one of that thing
thats disgust and grotesque but so intrigue that you canst look away
all the act seem good and the character be interest enough the movie
take a bite of time to really pick up and
Movie title: Grave
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 9.0% 73.0%
the conjuring doesnt waste time in bring the scare in by that i mean
youre pretty much in the thick of it within three minute or so be give
some background via another very notorious haunt incident for what be
to follow the warrens be send on behalf
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 17.0% 72.0%
the conjuring be a shock horror film it combine every creepy trope you
can think of ghosts dolls music boxes mirrors you name it and it
actually work thank to a genre-savvy director behind the curtains
james wan have prove himself a capable producer
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.76 12.0% 12.0% 77.0%
first the all-important question is the conjuring scary like jump out
of your seat watch through your outstretch finger scary the answer to
that be yes under james wants direction even the much cliched haunted-
house trope and this movie be burst with
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 25.0% 10.0% 66.0%
wow wow wow ive never be much of a fan of sequel but the conjuring be
incredible ism never one to jump at everything scary i see in movie a
usually youve see it all before lets be honest nothing really scare
you much when your not a teenager anymore
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 19.0% 11.0% 70.0%
the conjuring of be a excellent example of what much sequel should
aspire to be it be a perfectly execute haunt movie from james wan that
dive deep below the surface to explore theme of vision belief and
faith the family drama be still right at the c
Movie title: The Conjuring 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 30.0% 8.0% 61.0%
i have fun watch red eyes its not a masterpiece but its good direct
and structured gillian murphy and rachel mcadams be perfect in the
role yes its the same old story with a different set but wes craven
give it a good pace at little not another screa
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 21.0% 9.0% 70.0%
red eyes be all about lisa mcadams who be simply try to get home
during a bad weather snarl at the airport and find herself stick on a
red-eye and fly headlong into a suspense drama a busy fun little no
brainerd red eyes begin like a romcom morph int
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 7.000000000000001% 69.0%
what i like well in this film be that like the film of hitchcock it be
a thriller that doe not take itself too seriously hitchcock understand
that people go the the movie to have a good time something that
hollywood seem to have forget in recent year
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 17.0% 73.0%
ive see thousand of movie and have never write a review but the red
eye i witness be so at odd with the glow tribute post here that ism
compel to offer my two cent in protest- and vote the low score
possible just to bring the average close to reality
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 9.0% 74.0%
red eye be not the kind of movie thats go to win the pale door but wes
craven have never be that kind of director anyway and his brand be a
good indication of what a film-goer can expect the fact that red eye
be a tight little undemanding package at
Movie title: Red Eye
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 16.0% 8.0% 76.0%
saw this on a rent dvds been on my radar for a long time a the plot be
about a couple and their infant baby who move into the backwoods of
ireland a the male joseph male who be a expert in microbiology have
come to inspect the tree for clearance he b
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 28.999999999999996% 64.0%
the premise of the hallowd be nothing new a family in a isolate house
in the woods strange thing start to happen is there a logical
explanation unfriendly neighbor who want the family away or be there
something supernatural in the forest unoriginal c
Movie title: The Hallow
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive
0 positive 0.73 14.000000000000002%
Negative Neutral
0 14.000000000000002% 72.0%
pulling from ancient irish fable and mythology the hallowd also know a
the woods take the fairy tale atmosphere and destroy it with
malevolence and forebode darkness tasked with unfortunate
responsibility of go into rural ireland natural landscape br
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 24.0% 66.0%
in ireland the botanist adam joseph male move with his wife clare
bojana novakovic and their baby son finn to a remote house in the
backwoods to study the local forest he be warn to leave the place by
his neighbor cold donnelly mcelhatton but adam do
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 26.0% 7.000000000000001% 67.0%
i feel a if this film need to be praise a it carry out a very good
execution for such a overuse plot you have your typical family stick
in the middle of nowhere creature activity gimmicks fortunately play
out smoothly in the hallowd i feel a if the c
Movie title: The Hallow
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.41 9.0% 12.0% 79.0%
i still have not see the original so go into this hear people say this
not a good i find this mostly excellent the two kid do a great job the
tension be mostly set just right the slow build-up at start be not
remotely tedious the actual gore be just
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 25.0% 8.0% 68.0%
as a fan of the 2008 swedish film let the right one in i be originally
very frustrate when i hear the news about the upcoming remake how do
you ameliorate something that be already perfect i ask myself i treat
the remake with hostility and vow to sta
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 19.0% 6.0% 75.0%
given the background to this film i must start by say i have neither
read the book it be base on nor see the 2008 swedish original after
watch this masterpiece i intend to do both this be a truly sensational
film when you canst really pin a film down
Movie title: Let Me In
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 0.98 14.000000000000002% 7.000000000000001%
Neutral
0 78.0%
i be ashamed to say i have not yet see the original swedish version of
this movie although it be on my list of to does for the very near
future especially after see the hollywood remake which be in one
hyphenate words jaw-dropping the very of frame i
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 16.0% 8.0% 76.0%
whether you be a fan of gothic horror or not let me in be good worth a
view and by no mean be it just a scary film it be so much much than
that before i go into the film itself i have to comment that this be a
re-make of a swedish film call let the r
Movie title: Let Me In
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 20.0% 14.000000000000002% 67.0%
not for the squeamish but the numb of twists inventive use of
situation use vampire mythology gorgeous visual extremes together with
interest and quirky character make this one of the much stun horror
film ive ever seen it descend into utter madness
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 11.0% 69.0%
director chan-wook park become famous all over the world with his
vengeance trilogy and even though i like that three film sympathy for
mrs vengeance oldboy and lady vengeance very much it be also pleasant
to see park explore different horizon with t
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 10.0% 4.0% 86.0%
now that i have see it it be not what i be expecting at little not
until the very end i read some of the other review before pick up a
use copy of this from amazon and be glad i did having be of introduce
to parks work via oldboy i be curious to how
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 9.0% 67.0%
talk about get your sock knock off this new amaze movie from park
chan-wook would be my favorite new take on the vampire genre if not
for let the right one in which still remain my fave but this one be
right behind it a catholic priest volunteer for
Movie title: Thirst
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.12 11.0% 10.0% 79.0%
i think this be go to be a creepy horror movie with a good tone and
vibe go for it i do like the atmosphere especially the begin few
minutes i think it would be one of that movie with a really creepy
feel to it with some clever element throw in i be
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.82 12.0% 12.0% 76.0%
i be lucky enough to see this at a friend house last night go into it
blind and boy what a nice surprise whilst yes its another haunt house
movie this bring something new to the table with a great climax to the
film that really ramp it up the perform
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.86 9.0% 14.000000000000002% 77.0%
middle age couple grieve the recent loss of their son move into a
remote house and find themselves catch between the evil in the
basement and the nutter from the local town swimming against the tide
i know but i find this really poor it open with nic
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 9.0% 14.000000000000002% 78.0%
the plot be solid enough the movie be entertain enough also mean that
if you want something new to watch in the horror genre- this movie be
just entertain enough the lore can have be improve upon and with some
much back story perhaps even some flashb
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 3.0% 37.0% 59.0%
this movie suck big time its awful in all its extension the actor be
horrible all of them it seem that they never act before but larry
fessenden beat them all in the wrong possible way gosh deplorable act
and the possession part i couldnt believe my
Movie title: We Are Still Here
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.21 9.0% 9.0% 83.0%
what a film soon have do it again this film have it all first the plot
it be the tranquil set of a family that be anything but a soon the
silence be shatter with event that make the unit fall apart there be
normal and usual films nowadays this be wha
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 11.0% 19.0% 69.0%
even though the protagonist shamoto be a adults this be essentially a
coming-of-age movie in a doom world shamoto be introduce to murata a
psychopathy everyone seem to do what murat want them to include
shamoto wife and daughter shamoto try to go aga
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 19.0% 6.0% 76.0%
mrs soon be a uncompromising filmmakers his resume be fill with odd
characters unnatural situation and twist that come at you from nowhere
this be base on a true story about a sadistic couple who kill dog
lover the truth be strange than fiction in th
Movie title: Tsumetai nettaigyo
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 0.99 14.000000000000002% 7.000000000000001%
Neutral
0 79.0%
after be shock and transform in transgressive visitor qu a decade ago
i once again find a movie that hit me in the face and that i will be
think about for days weeks month and year to come once again it be at
fantasia film festival and once again it
Movie title: Tsumetai nettaigyo
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.26 20.0% 17.0% 62.0%
youre next is unabashedly yet another nuclear family andor rich yuppy
besiege by mask psycho killer at vacation home slasher right down to
the obligatory last girl elements but while the movies schema be
completely typical its execution smart script
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.73 16.0% 14.000000000000002% 70.0%
youre next be direct by adam winnard and write by simon barrett it
star sharns vinson nicholas tucci wendy glenna adj bowen and joe
swanberg music be by mads heldtberg and cinematography by andrew
palermo the davison family and partner meet up for a
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 16.0% 11.0% 73.0%
this kind of film be usually low rate by me its very rare that i find
one good film and that happen to be this one i be brace for another
disappointment then i totally get surprise when it reach half way mark
good twist took in fact there be many twi
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 22.0% 14.000000000000002% 64.0%
my rate be give in context shawshank redemption or citizen kane it be
not but the maker be keenly aware of what they be filming i be not a
fan of scary horror or gore to put it mildly and after the of kill i
be on the verge of just give up i be glad
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 18.0% 13.0% 69.0%
its a family reunion for the davison family the father be in the
market department for a huge defense contractors and hers loaded erin
sharni vinson be one of the sons new girlfriend a gang of mask killer
descend on the family but erin have a few sur
Movie title: You're Next
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 9.0% 76.0%
beneath all my suffocate inhibitions my inability to share my true
feelings my fear of do what it be that i really want to do there be a
character somewhat akin to hirata in sion sons why dont you play in
hell here be a ridiculous and frankly insane
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 18.0% 5.0% 77.0%
i watch this movie few day ago and it be the of soon sion movie i have
ever watch in cinema the movie be quite funny with bloody scene and
mad character especially the film producer director play by hinoki
hasegawa a soon always does you can say that
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 18.0% 15.0% 67.0%
the much movie of sion sons that i see the much i realize that he be
one of the great artist work today its a big claim and i dont like to
kiss ass but the man be one of the few people work in entertainment
and art that see through the current state
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 11.0% 71.0%
this movie exist only to impress you acclaimed japanese director stion
soon love exposure suicide club coldfish have craft a delirious and
extremely over the top comedic action thriller which will surely
impress audience all around the globe its very
Movie title: Jigoku de naze warui
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 32.0% 19.0% 49.0%
wow what a beautiful and sophisticate supernatural movie about life
and death acting be superb plot very interesting music amazing very
atmospheric scary but also touch story about the ghost of a little boy
who have a special bond with his mother whe
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 16.0% 11.0% 72.0%
i rent this on dvd today and be pleasantly surprised the dvd have a
alternative end for the movie which i be glad have not be used the end
that be choose be the well choice be immediately draw into this movie
with its intrigue story how each characte
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 11.0% 12.0% 76.0%
two reason why i watch this first ive be recommend this film by a
friend secondly it star barbie hsu with a name like that why shouldnt
i want to watch this ok so i know she star in the taiwanese pop-drama
television series meteor garden and be just
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 26.0% 9.0% 66.0%
this be a movie with much creativity its not just about ghost but also
sci-fi and many other factors dont expect it to be a typical ghost
movie its much well than ghost movie which just try to terrify people
many people will enjoy all the complexity
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 23.0% 13.0% 65.0%
loved the plot in this movie and the twist and turn that leave you
guess until the very end if you dont like subtitles i would suggest
that you dont watch it but if your love something a little different
leg purfumer this be the movie for youth direc
Movie title: Gui si
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.53 9.0% 7.000000000000001% 84.0%
i work at a video store and when customer ask me whats a good horror
movie that will actually get to them i dont suggest any of the freddy
or jason movies those be for fans and i dont consider them to be
genuinely frightening session is much definite
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 16.0% 8.0% 76.0%
seeing a film like session just reaffirm that there be truly great
film still be made while many including the filmmakers will find
comparison to dont look now the shining and even a nod to the
changeling session still stand on its own a a much effec
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.78 13.0% 18.0% 69.0%
everything about this movie impress me the script be lean and
inventive the direction stylish without be overblown the act top notch
even the shot-on-video cinematography look great with the exception of
one or two exterior shot that have a hint of v
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.83 18.0% 16.0% 66.0%
made on a low budget this brilliant horror film succeed because it
doesnt fall back on any cheap gimmicks like special effect or shock
moments but instead provide a eerie forbid atmosphere and genuine
three-dimensional characters writer-director brad
Movie title: Session 9
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 13.0% 70.0%
well i keep hear all sort of disappoint statement about reincarnation
needless to say i be a bite reluctant to see it in my local theater
but then i remember that i have never see a japanese film on the big
screen so i go mainly for the experienced w
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 18.0% 14.000000000000002% 67.0%
another one of the of films to die for from after darks horror film
festival this little japanese chill be a complex and spooky film the
movie follow nagisa a japanese actress who get the part in a horror
movie that be base on a real murder spree tha
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.61 11.0% 10.0% 79.0%
reincarnation be a brilliant film plain and simple it be unique in
that it rely on imagination and psychology to scare you and make you
think twice about the world around you the director do a fabulous job
construct the imagery of the film and i genu
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.8 7.000000000000001% 10.0% 83.0%
like a lot of psychological horror you have to invest some time and
energy in this film it appear to be one things but you be not prepare
for the changes and certainly not the ending really expect that angina
yûka in her of film be go one way and the
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 10.0% 11.0% 79.0%
a young actress be draw to her role in a horror film and also to a
hotel from her dreams a hotel where eleven people be murder before she
be borne what be her connection to her character and the ill-fated
hotel i have two concern with this film first
Movie title: Reincarnation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.56 11.0% 11.0% 78.0%
yoshimi matsubara hitomi kuroki be in the middle of a nasty divorce
from her husband kunin hamada fumiyo kohinata the big issue of
contention be their daughter ikuko trio kanno kunin accuse yoshimi of
be unstable and he seem to have a point still yos
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 17.0% 13.0% 71.0%
this be my idea of a horror movie no junko no noise no random jolts
but plenty of fear deliver quietly and compactly without fuss its the
much suspenseful movie ive see since ring and i think its even better
like that movie it put my stomach in knot
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 8.0% 13.0% 78.0%
a story very similar in certain area to another story by hide nakata
but different enough to stand apart using similar technique to the
ring series nakota employ askew camera angles wide shot and the mix of
foreground and background show normality in
Movie title: Dark Water
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 15.0% 8.0% 77.0%
horror movie have become a dime a dozen in the past few years the
watchable one seem to fall into two category of later misguide
psychological thriller headline by a consummate actress witness naomi
watts in the ring of or jennifer connelly in dark w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 9.0% 76.0%
i see the skeleton key back in august 2005 during its theatrical run
and i can say it be one of the well horror thrillers of the years the
skeleton key be about a young hospice worker name caroline ellis who
decide to take a caregiving job outside of
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 20.0% 9.0% 71.0%
intelligent stylish and compel all the way the skeleton key be one of
the well supernatural thriller in years young nurse take up a job at a
isolate bayou estate where she begin to believe that someone be mess
with some sinister magic director iain s
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 11.0% 69.0%
part of the success of this type of movie be set up and make sure its
resolution live up to its expectations i must say that in this film
everything seem to work and yet ism not sure what spook more its end
or the nature of its ending the film deal w
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.76 14.000000000000002% 12.0% 74.0%
in case you havent see the skeleton key yet be very careful when read
any reviews the little you heard read or even know about this film the
better because i assure that you dont want to pick up any spoiler
about this surprisingly original and ingeni
Movie title: The Skeleton Key
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 12.0% 69.0%
greetings again from the darkness this be my a first features from a
writer director this weeks but there ended any similarities ana lily
amirpour present the of ever iranian romantic vampire thriller that
blend the style of spaghetti westerns graphi
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.85 10.0% 7.000000000000001% 83.0%
within the of min of this film anyone with any level of knowledge on
cinema can admit to the films uniqueness in style look and the neo-
genre it be try to create from the ash of genre such a western and
vampires that much be evident right off the bat
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 20.0% 9.0% 71.0%
this be one of the much anticipate art-house horror films the fact its
do in persian with iranian director and crow absolutely peek every
filmophile interest unfortunately the hype surround it sometimes work
against anticipate release like this but t
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 14.000000000000002% 8.0% 78.0%
spoilers i be a bite disappoint to learn after see a girl walks home
alone at night that it be not a actual iranian film turns out it be
entirely american fund and make in california its just that it have a
iranian director crow and cast while it be
Movie title: A Girl Walks Home Alone at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.64 17.0% 16.0% 67.0%
this movie drain me without a doubt the much unpleasant and despair
movie ive ever watched its not just the graphic imagery that get to me
but the overall tone of the movie be incredibly dreadful and you can
almost feel a presence of some sort of evi
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.47 14.000000000000002% 15.0% 71.0%
an eerie yet gorgeous tapestry of linger close-ups parallels cut and
slow-motion photography lars von triers antichrist be a gruelling tale
of mythical grandeur a bizarre yet beautiful film chock full of sadism
and shagging satanic dogma and similes
Movie title: Antichrist
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 negative -1.0 7.000000000000001% 14.000000000000002%
Neutral
0 80.0%
where doe horror reside in the psyche lars von trier have establish
himself a a maker of serious avant-garde drama he come to fame through
breaking the waves a controversial story of how far someone would go
for love he found the dome movement of ver
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 17.0% 10.0% 74.0%
this movie be violent and very sexually graphics border at time on
artistic but hardcore pornography but it isnt lurid for the sole
purpose of scandal gory appropriately describe some section of this
film but the word by no mean encapsulate it if one
Movie title: Antichrist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.53 13.0% 12.0% 75.0%
for the incredibly stupid front page reviewer here its not even a
review really just whine with no substance by somebody who doesnt seem
to like or recognize horror ism not affiliate with the film in any way
feel free to look at my other reviews ism
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 19.0% 14.000000000000002% 67.0%
caught resolution at a film festival this be a movie that you have to
see a there be no way to really describe it it doesnt fit into any
sub-genre within horror but it definitely belong in the family the
film be one of the much creative and unique iv
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 21.0% 6.0% 73.0%
peter cilella be commit to get his well friend chris vinny currane to
sober up and get his life back on track but what begin a a attempt to
save his friends life quickly take a unexpected turn a the two friend
confront personal demons the consequence
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 17.0% 4.0% 79.0%
as the other reviewer already stated this be different i have no idea
what it would be didn t read the synopsise the movie be part of a
festival but i be really pleasantly surprised a little movie that
could its not without flaw mind you but you can
Movie title: Resolution
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 14.000000000000002% 11.0% 75.0%
fee alvarez just give green room a run for its money with dont breathe
a incredibly intense film and glorious exercise in suspense its one of
the well studio-produced thriller ive see in years the premise be
simple a group of teen plan to break into
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 12.0% 15.0% 73.0%
three burglar find out about a blind army veto live in a abandon
street sit on a huge amount of cash the three burglar break their rule
of not steal cash and decide to rob the place think it would be a
piece of cake and of course it isn t the blind a
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 25.0% 65.0%
its pretty rare that i get hype for horror movies especially modern
ones but i be a little hype for this i think the premise be
interesting and it have potential to be scary i wouldnt call this a
disappointment because it miss the bare basic of what
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 16.0% 74.0%
how do this film and i struggle to call it that receive so many stars
that be the real mystery here the story centre around kid who break
into houses two be dating and the third-wheel be a quasi-moral-
objector who follow along because he think hers i
Movie title: Don't Breathe
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 25.0% 11.0% 64.0%
i personally think this movie be one of the great horror movie every
teresa palmer and gabriel bateman act be very good absolutely credible
almost like rosa byrnes performance in insidious which be flawless the
cinematography be good dark scene prett
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 13.0% 10.0% 78.0%
this movie will get your pulse up fast reveal the horror very early on
interestingly enough it keep that pulse up throughout the movie
despite of this the concept of something that can only appear and be
see if its dark and with a somewhat supernatur
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.81 14.000000000000002% 11.0% 74.0%
lights out doesnt break any new ground nor doe it really attempt to of
minute of pg-13 jump scare and basic horror trope in the vein of the
grudge not bad for a summer fright fest but dont expect much a you
wont find it here technically it look and s
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.62 13.0% 14.000000000000002% 73.0%
lights out be a interest stab at a horror movie base on a 2013 short
film of the same name the movies novel concept be a creature that can
only be see and manifest in the dark turn a torch on and it disappears
naturally this mean that a lot of the mo
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 8.0% 11.0% 81.0%
lights out of a eerie silhouette of a human-like creature loiter down
the hall you repeatedly blink in a attempt to mould its blur lines but
the dishevel contour of the unfathomable spectre remain absolutely
motionless lights on of nothing there ligh
Movie title: Lights Out
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 15.0% 10.0% 75.0%
this be a movie make with the confidence of one who know exactly what
she be try to communicate the problem be that what be be communicate
be so far beyond the norm that it be not go to be easily grasped
esther be a highly intelligent young woman the
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.65 11.0% 9.0% 80.0%
disturbing a in my skin is the movie frequently pop into my mind
looking at the film on the surface i be disturb by the imagery a
apparently be the other people in the theatre who all leave before the
movie be over this be a movie that much like grou
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.36 14.000000000000002% 16.0% 70.0%
saw this at a cult film festival youd think a cult audience would be
able to stomach depiction of self-inflicted violence but several
people walk out i canst really blame them it be a intimate and
plausible portrait of a woman who have live her life
Movie title: Dans ma peau
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive
0 negative -0.23 14.000000000000002%
Negative Neutral
0 14.000000000000002% 73.0%
in my skin certainly have some problems but one of this problem isnt
originality and while thing such a a lack of a true plot formula and
explanation for the central characters action may put some viewer off
the film deserve huge credit for step out
Movie title: Dans ma peau
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 11.0% 18.0% 71.0%
so ive read here and there that this remake lack the camp of the
original and i look back over year ago watch the evil dead on a crummy
rental vhs in the dark of my teenage bedroom one night the camp the
original evil dead be a terrify experienced ev
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.8 7.000000000000001% 11.0% 81.0%
we seem to be in a time where the remake of remake will be remade even
film like cabin fever arent remain sacred the obligatory remake
follows evil dead now be a remake with a bite of bite of course it
have every possible cliche under the sun tick of
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 11.0% 70.0%
i have to say ism very surprise at all the negative review ive be
reading ism a avid movie lover frequent the theater at little twice a
week if not more something about be able to just sit back in a dark
room with a big screen and great sound its jus
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 10.0% 72.0%
devil dead five stars out of five the of five star movie of 2013 be
this long await reboot to writer director sam raisins 1981 cult
classic original the evil dead its a loose sequel that find a new
group of young adult stumble across the book of the
Movie title: Evil Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 17.0% 10.0% 73.0%
ah halloween of my favorite time of the years it isnt so much the
festivity take place that excite me a its the feel in the air once
october comes that palpable sensation you get see jack-o-lanterns
grimly light faces kid trick-or-treating in the str
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 17.0% 12.0% 71.0%
for like two year trick r treat never seem to come off the upcoming
releases list i canst for the life of me see whit may not be a all
time great but it be so much well than odd absolute crapfests that be
actually fast-tracked into cinema over the la
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 17.0% 10.0% 72.0%
before anyone cry foul over my statement that trick or treat be the
single well halloween-themed movie ever made allow me to back up the
statement while 1978 halloween be a masterful amaze thriller that
truly have no equal in the horror genre trick o
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 3.0% 78.0%
i see trick or treat last night a part of brightest in leicester
square all i need to say be it have a round of applause at the end
which doesnt usually happen in the uk and it wasnt down to the fact
that dougherty be there i have see thousand of hor
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 13.0% 9.0% 79.0%
just when it look like the anthology movie be dead along come director
writer dougherty trick or treat to not only breathe new life into this
overlook format but also firmly establish itself a one of the well
film to keep on the shelf and revisit eac
Movie title: Trick 'r Treat
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 10.0% 75.0%
after lewis thomas paul walker buy a car to pick up would-be
girlfriend vena leelee sobieski from college in colorado he learn that
his brother fuller steve zahn be jail on a misdemeanor charge in salt
lake city so he decide to pick up his brother fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 30.0% 3.0% 68.0%
the idea of this movie be actually pretty good two teenager do a prank
call on a cb radio but the prank turn on them most teenager have
probably be in a situation where they themselves make a prank call at
the very least everyone know about it the fi
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 22.0% 15.0% 63.0%
joy ride be a extremely entertain road-set horror thriller that be
surprisingly quite good the film be about lewis paul walker a college
coed who decide to buy himself a car and take off across the desert to
pick up a would-be-girlfriend vena leelee
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.25 16.0% 14.000000000000002% 70.0%
in joy ride two brother than walker get involve with a big rig driver
over the cb radio while on the open road they set him up a a practical
joke and unleash all hell on themselves a the unseen subject of their
prank a know only a rusty nail a turn o
Movie title: Joy Ride
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 13.0% 23.0% 64.0%
a very creative japanese horror movie in the style of ju-on its fairly
slow-paced be character and plot driven but this be the right approach
due to its clever intelligent and emotional script man start receive a
newspaper which predict tragic future
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 10.0% 12.0% 78.0%
kyogen begin with a tight sequence full of foreboding a marry couple
with their young daughter be drive home from vacation when the father
professor hideki atomic need to send a email to get a internet
connection they stop at a phone booth and whilst
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.11 10.0% 10.0% 81.0%
skillfully edit and highly tensioned kyogen be one every so often
discuss psycho-horror its be produce from the idea of the same title
japanese comic book of 1950s and follow the storyline of a solid
japanese novel from the same decade the comic book
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.11 12.0% 14.000000000000002% 74.0%
having child myself this movie strike me in a very emotional way in
fact i be almost move to tears that doe not happen often if youre look
for a ring type horror flick this isnt it at times kyogen move rather
slowly and doesnt pack the creepy punch i
Movie title: Yogen
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.21 12.0% 12.0% 76.0%
the conspiracy be about exactly what the title suggests conspiracies
from 11 to the new world order to occult ritual between world leaders
the conspiracy wrap it all up into one incredulous story that be
document a realistically a possible real foota
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.9 24.0% 18.0% 57.99999999999999%
ive always have a love for conspiracy theory because they be surreal
and theyre just fun to research personally i enjoy be scare and horror
doesnt do that for me this day but the dialogue aspect of this do it
for me i like a horror film that actually
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 14.000000000000002% 8.0% 78.0%
this prove to be one of the much surprisingly effective thriller i
have see in recent memory at a glance we have a unknown of time writer
director in christopher macbride match with a relatively small budget
of just under $1 millions maybe ism wire a
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 10.0% 16.0% 73.0%
aaron and jim be documentary filmmakers who become fascinate by a
street preach conspiracy theorist a man who spend all his time spread
a message like a modern day prophet about how we be all slave and the
world be run by a group of rich man who be c
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 23.0% 10.0% 67.0%
the story be about a couple of guy be make a documentary about the
people for specifically one person who be true believer in conspiracy
theories when their subject disappears they get wrap up in the
conspiracy theory and investigate it they end up s
Movie title: The Conspiracy
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.63 12.0% 10.0% 78.0%
in a way this film be a perfect example of form follow function what
well way to show how empty and perverse the model scene in los angeles
is than to make a empty and perverse movie about it if nicolas winding
rein want to make this point he have ma
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.94 6.0% 12.0% 82.0%
this film start promisingly with a eye-catching and unsettle image
then the of dialogue for should i say direlogue scene starts and two
thing happen one the dialogue be awful two the instruction in acting
101 make the much of your pauses have be tran
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 18.0% 10.0% 72.0%
i wouldnt really recommend the neon demon unconditionally to my
friends not because its a bad film quite the opposite but because its
the kind of movie that would inevitably lead some of them to think the
tell me to watch it and say it be great what
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 23.0% 4.0% 73.0%
it seem that after the massive success of drive rein be be give the
opportunity to make the film he want to make and take a lot of
creative license think this be a good things and its a smart way to go
about a career in any creative industry achieve
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 12.0% 3.0% 85.0%
nicolas winding-refn be a director who defy all analysis most consider
him a surefire commercial success follow on from his exceptional
adaptation drive back in 2011 however against all odd winding-refn go
darker much subversive and all together much
Movie title: The Neon Demon
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 8.0% 20.0% 72.0%
this somber yet deeply unsettle film manage to give me the willy even
in the less-than-ideal horrorhound weekend screening not soon after a
pregnant woman katie parker declare her miss husband morgan peter
brown legally dead she begin to have terrify
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 15.0% 10.0% 75.0%
i dont write review much in fact i havent do so since david lynches
lost highway back in the 90 but have just see absentia i feel obligate
to share my thoughts this be a amaze horror thriller i cannot fathom
how a director work on a minuscule budget
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 23.0% 12.0% 65.0%
if you come to this expect something along the line of saw then you
will be disappointed it be a fairly slow moving character driven
existential horror that said there be a good numb of scare and tense
edge of your seat scenes it be good do good cine
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.7 12.0% 11.0% 78.0%
i do not really understand why the average rate of absentia be so low
well maybe i do understand if you watch this horror with the
expectation that you get a fast pace gore fill typical horror movie
you will be disappointed absentia be a slow one and
Movie title: Absentia
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 6.0% 30.0% 64.0%
i must confess i be expect way much of this horror film it start off
quite good whence the rating but after the of of minute go downhill no
question be answered you be leave with a large list of plot hole and a
end that couldnt be much predictable an
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 9.0% 10.0% 81.0%
this movie have a million dollar budget and i feel like million be
spend on the movie and the other spend on fake review on site like
this movie be one of the large piece of garbage i have ever seen
spoiler nothing come at night if you read the posit
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.89 13.0% 17.0% 70.0%
i be a fan of post-apocalyptic movie and for the of minute this film
show promised good visual and mood but then it crawl repeat the same
shot and mild shock until after the hour mark at this stage you be
leave wonder when the real story be go to sta
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.83 10.0% 20.0% 71.0%
nothing of significance happen during the whole movie its slow not
scary and a waste of time no answer to any of the question the film
poses just a bunch of people in the wood who dont trust each other and
some fatal disease that just kill everyone i
Movie title: It Comes at Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 14.000000000000002% 23.0% 64.0%
the director of the chill shutters create another terrify horror film
this creepy film tell the story about the survive half of a conjoin
twin who start to see her dead sister when she return home to visit
her dye mother through flashback we learn ho
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.53 13.0% 16.0% 71.0%
in seoul the thai him masha wattanapanich be inform that her mother
have a heart attack in her hometown him travel with her boyfriend wee
vittaya wasukraipaisan to thailand to give assistance to her mother
once in her home him be haunt by her siamese
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.64 9.0% 10.0% 81.0%
this film make ton of buzz from thai medium before its release give
the fact that it be a film of the director of shutters which become a
blockbuster in thailand a couple of year ago and star one of the much
famous thai actress masha wattanapanich as
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 18.0% 14.000000000000002% 68.0%
i yesterday see its hindi remake adaptation so i know the suspense but
i didnt enjoy the hindi version and here for original despite know the
suspense i enjoy the movie during separation of conjoin twin girl one
of the girl die and she come back to h
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 18.0% 8.0% 74.0%
thai writer-directors tanjong pisanthanakun and parkpoom wongpoom have
shoot to prominence in the horror genre with their debut movie
shutters which i have regrettably miss its theatrical run here but
much than make up for it by be the proud owner of
Movie title: Alone
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.86 12.0% 14.000000000000002% 74.0%
it be clear that the current cycle of horror remake be far from over
and the result so far have for the much part be surprisingly good this
trend continue with the crazies a reinvention of george romeros
little-seen 1973 original the plot be beyond s
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 4.0% 27.0% 69.0%
a transport plane crash into the water supply of a small iowa town
some of the townfolks become infect and turn craze killers sheriff
timothy olyphant his wife radha mitchell his deputy joe anderson and a
girl from town danielle panabaker need to esc
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.89 14.000000000000002% 15.0% 72.0%
the craziest a remake of a seldom-seen 1972 george romeo film be about
a small town whose inhabitant drink taint water and become deranged
the movie be slick but still terrifying rely not only on wacked-out
effect but also on unadulterated suspense t
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.22 13.0% 14.000000000000002% 74.0%
i love this film so much to me it be completely original ive see some
other people say that this film be unoriginal and i dont agree i admit
the virus epidemic in zombie film be quite repetitive but i suppose it
have to be how else can we turn into z
Movie title: The Crazies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 16.0% 20.0% 64.0%
the post-exorcist was produce a variety of quirky old-fashioned horror
film with big name star whose career be wind down but who be happy to
still be work and who add a touch of class to the proceedings psychic
killer with jim hutton tourist trap wit
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.7 14.000000000000002% 9.0% 78.0%
how can i begin to describe this amaze film random image pop into my
head from memory tony curtis a a dash fortune-teller and huckster
prance around his san francisco bachelor pad wear a sorcerers outfit
one of his elderly female client be possess by
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 18.0% 3.0% 78.0%
i see this when it of come out in the theatres with my sister---we
love it and be blow away ive since own it on vhs and now have the
wonderful dvd that be just released honestly give the year it be make
and such its not a bad film at all and be one i
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.68 16.0% 11.0% 72.0%
this be a lose 70 horror classic the whole idea itself be great
although the whole growing on her back bite be a tinge too dodgy tony
curtis basically play a comedy role for the of half then show how good
he can be atsara do a excellent job play the
Movie title: The Manitou
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 11.0% 15.0% 73.0%
i vague recall this creepy movie from watch it year and year ago on
elvira movie macabre it be a movie i have no clue what the title be
but certain scene be forever burn into my memory after the internet
come along i begin search for some of the old
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 11.0% 16.0% 72.0%
1966 death curse of tartu be a staple of late night insomniac in the
pre-cable day of television along with other no budget wonder such a
they saved hitlers brain women of the prehistoric planets and zontar
the thing from venus although the plot dred
Movie title: Death Curse of Tartu
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.64 11.0% 14.000000000000002% 75.0%
bobbie breese play fade movie queen lynn roman who be unhappy because
young actress receive all interest film roles the assistant of decease
dr zeitman offer her the potion which should stop the process of aging
it work perfectly until ruth turn into
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 14.000000000000002% 16.0% 69.0%
wowf ism actually speechless of i have watch lot of awful horror movie
in my life and i definitely know to keep my expectation low regard
late 80 low-budgeted monster movie a especially when the name fred
olen ray be even remotely involve a but still
Movie title: Evil Spawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 26.0% 4.0% 70.0%
this film be a fun under-watched gem from the 80s fans of the of house
have a lot to enjoy here certainly one of the only horror comedy
westerns i can think of but it work good in this picture dont expect
citizen kanes but if youre look for a enjoyab
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 13.0% 11.0% 76.0%
this non-related sequel be so sweet-natured so tame and family
orientate that to assume otherwise be completely ludicrous there be
nothing in this movie that can possibly rate it above a pg max i
wouldnt even have reservation let young child watch ho
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 30.0% 9.0% 61.0%
i love this movie because it just keep get goofy and goofy and throw
all sort of disparate element into the mix you have the the great old
mansion you have the nutty friend you have the obligatory 1980 party
segment but you also have alternative univ
Movie title: House II: The Second Story
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.67 18.0% 10.0% 72.0%
this movie capture the mood and feel of many a bad was horror flick
and then add a few twist bring smile to your face the actor do a
excellent job of keep a straight face while deliver bad dialogue the
movies one-tone humor cause it to sag in the mid
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 17.0% 7.000000000000001% 76.0%
i see monster in my closet one day back in the 90 when i stay home
sick from school it have always stick with me a one of the much well-
done tribute to 50 style scifi while also be a very clever spoof of
the genre the performance be all grade-8 chees
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 7.000000000000001% 13.0% 80.0%
monster in the closet be set in the small american town of chestnut
hills california where mary lou jona leech a young girl the blind joe
shelter john carradine be all attack kill by something nasty in their
closets jump to san francisco the office o
Movie title: Monster in the Closet
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.57 8.0% 9.0% 84.0%
in san francisco when several local be find murder in their closets
the rookie journalist richard clark donald grant be assign to
investigate the cases he stumble upon the scientist prof diane bennett
ddenise dubarry and her son professor bennett pau
Movie title: Monster in the Closet
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 0.92 14.000000000000002% 7.000000000000001%
Neutral
0 79.0%
this be a wonderfully goofy example of a self produced write and
direct vanity project while i be work a a crow member john carradine
comment to me before the burn at the stake sequence this be the wrong
piece of shot ive ever work on and ive work on
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 22.0% 14.000000000000002% 63.0%
i see monstrous yesterday but now i can hardly remember it thats
rarely a good sign especially since i wasnt even drink while watch it
it seem that initial film take place some time before the bulk of the
film but be postpone by various problem befor
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 6.0% 11.0% 83.0%
monster be a mind numbingly awful movie about a evil american concrete
factory are there any else in hollywood pollute the water of the small
colombian town of chimayo somehow create a catfish-like beast with a
predilection for lamb and loose women j
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.53 9.0% 10.0% 81.0%
according to this film the event portray be base on fact mean that in
1971 a really dumb look monster the result of industrial pollution
rise from a lake to terrorise the rural colombian village of chimayo
before eventually be blow to smithereens wit
Movie title: Monstroid
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 10.0% 14.000000000000002% 76.0%
this be a totally bizarre british horror film which deserve cult
status of the high order i canst believe that this didnt have problem
with the censor it be a disturbing nasty piece of work and should
undoubtedly have cult status the mutations have d
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 17.0% 5.0% 78.0%
how on earth have i never see this film before i watch it tonight
because there be nothing else on cable again lucky merit start with
some time-lapse film of plant-life and look like a programme from the
open university but then the soundtrack signal
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.68 10.0% 14.000000000000002% 75.0%
ignore the uptight weirdo who spend 000 word bash this movie its very
enjoyable a long a youre a fan of the genre with many gratuitous lsd
reference and a real live carnival freak show how can you go wrong if
you think swamp thing be too intellectual
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 19.0% 11.0% 70.0%
ok i see the mutation when i be young at a movie theater in paterson
new jersey and to this day i cant remember the co-feature but it scare
the hell out of merits a basic mad scientist story with a brilliant
but unbalance dr play by the late great do
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 9.0% 20.0% 71.0%
this film be a definite cult-classic and a follow up to tod brownings
freaks perhaps a bite poorly made but with real freak like the
alligator woman pop eye and many more julie eger norwegian scream
queen be star and make the well of it if you ever w
Movie title: The Mutations
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.62 19.0% 14.000000000000002% 67.0%
despite a low budget and mediocre act with blue screen effect that
make you laugh this movie be actually quite good not many movie this
day be actually scary in a age where saw someones head in two make
people yawn it seem time to bring back some old
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 5.0% 15.0% 80.0%
with all the horror movie make in the usa involve a haunt house you
would think one that feature one of the much famous haunt place in the
world winchester mystery house in san nose can would feature a unique
and compel story however this film fail t
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 19.0% 8.0% 73.0%
this movie be quite a surprise usually the movie make by the asylum be
mediocre but this one be quite out of the normal standard the
storyline and plot be intense and something you immediately get
yourself immerse into because it be compel and intere
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.72 12.0% 15.0% 73.0%
the actor especially the mother seem quite sincere in their roles but
the story itself didnt really make any sense it all seem so random
just random ghost at random time come after random people in random
way and do random thing with them all for no
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.32 14.000000000000002% 12.0% 74.0%
there isnt a whole lot to say about the film so ill get right to the
point the act be by far the wrong part of it the performance be forced
uninspired and a pain to watch in some places that be said the film at
of seem to be pretty much a wish mash o
Movie title: Haunting of Winchester House
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 10.0% 12.0% 78.0%
watch this movie closely if you dare and you will see certain of the
same fairly long sequence repeat only a few minute apart such a when
they be walk up the mountain and when they be search the city sewer
near the end not include the ridiculous loop
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 8.0% 3.0% 89.0%
i suppose you should approach this stuff with a open mind but i have
difficulty do that a those word written my expectation for this were
quite frankly pretty low a i know that it be a 1954 low-budget
production a therefore i be prepare to tolerate t
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 16.0% 8.0% 75.0%
some of the himalayan scene be interesting there be a conflict a to
who be run the show its typical of westerners to try to run roughshod
over their inferiors anyway the yeti be out there and if we bring him
for her back we can make a bundles everyth
Movie title: The Snow Creature
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 20.0% 9.0% 71.0%
i have a category of movie i call a good bad movie you ll either get
that statement or you wont if you be a real movie buff you ll
appreciate the value of a good bad movie this be a really cool twist
on the big foot mythology i see this on the sci-fi
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 22.0% 9.0% 69.0%
the movie that the sci fi channel premiere on saturday night be a
decidedly mix bag -- mixed mean bad but watchable enough because its
free on tv that said abominable be probably the well one yet and one
of the few that i wouldnt have mind pay for a
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.79 13.0% 15.0% 72.0%
him gonna need a big knife the flatwoods sasquatch terrorize victim
within the vicinity of his cavernous dwelling bind crippled preston
rogers matt mccoy still recover psychologically from a tragic fall
from nearby suicide rock which take the life of
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 6.0% 9.0% 84.0%
the whole mythos surround bigfoot the abominable snowman or sasquatch
be a enthrall one captivate the general public since the of allege
bigfoot sighting in the early 1950s a numb of bigfoot film have be
made capitalize on the general populations int
Movie title: Abominable
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 16.0% 73.0%
this be often right up there on the list with stroll of and the room a
one of the so bad its funny movies we ll consider the budget and the
fact that it be never finished grizzly of come out remarkably well how
oscar winner louise fletcher get on boa
Movie title: Grizzly II: The Concert
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 25.0% 15.0% 61.0%
friday the with part vie jason lives be the well supernatural slasher
movie of all time it be my numb favorite film of the franchises it be
one of my personal favorite horror slasher movies this movie be the
bomb this movie be the well horror slasher
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 1.0 28.999999999999996% 13.0%
Neutral
0 57.99999999999999%
friday the with part vie jason lives be my all time numb favorite film
of the franchises it be one of my personal favorite horror movies this
movie be the bomb this movie be the well horror slasher 80 movie in my
opinion they dont make movie like thi
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 14.000000000000002% 23.0% 63.0%
from its spectacular squirm-in-your-seat open to its excite finales
friday the with part vie jason lives delivers still haunt by his kill
of the mask maniac two film ago our hero tommy jarvis thom mathews
venture to jason voorhees grave just to be su
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 11.0% 16.0% 72.0%
with the exception of part of all of the jason movie just keep get
better a in my honest opinion this sequel come in a a far a jason
sequels go ps part will always rule and this sequel come in right
after part and of a part be simply a classic direct
Movie title: Friday the 13th Part VI: Jason Lives
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 2.0% 7.000000000000001% 91.0%
ya gotta love al adamson only he would take footage from a 20-year-old
movie about gorilla in dive helmet robot monster combine it with clip
from a 30-year-old movie about elephant with hair mat glue to their
side one million c throw in part from a g
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.69 12.0% 11.0% 77.0%
i dont care how many people vote this movie a out of this movie be
pure entertainment there arent very many painful moments lot of great
fun scenes and of course the adamson trademark of cut and paste
filmmaking vampire men of the lost planets the vi
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 5.0% 13.0% 82.0%
huh what vampire cavemen a sex replace by flash multi-colored light
bulbs a guys in dinosaur suits a a film half make of stock footage
this isnt just bad its inexplicably bad a do not watch this alone a
make sure to have a friend or two with whom you
Movie title: Horror of the Blood Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 13.0% 7.000000000000001% 80.0%
delirious surreals and savage tobe hoopers follow-up to his landmark
debut chainsaw for that not in the know be one of a kind while bear
the same signature stamp he leave with his predecessor a sheer
unrelenting onslaught of pure madness macabre and
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 10.0% 14.000000000000002% 75.0%
a crazy homicidal man name judd own a shabby hotel in the louisiana
bayou and when he receive guest he go out of his way to murder them
and fee them to his pet crocodile some of this unexpected guest who
face this horror that await them range from a
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.85 14.000000000000002% 9.0% 77.0%
well if you see the texas chainsaw massacre and be impress with
director tobe hooper your next move may be to view his a film eaten
alive i search all over for a print and finally be lucky enough to
find one and see this somewhat forget picture one r
Movie title: Eaten Alive
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 28.000000000000004% 10.0% 61.0%
not a good movie exactly but a significant improvement over much sci-
fi channel original movies it have some humor and the movie work well
when it be its silliest the much serious scene tend to just slow the
movie down if you like vincent ventresca i
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 14.000000000000002% 8.0% 78.0%
mammoth be a pretty decent sci-fi creature feature spoilers dr frank
abernathy vincent ventresca be beyond thrill that his museum acquire a
freeze wooly mammoth especially when he pull a strange blue object out
of it a few day later a meteor shower s
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.3 14.000000000000002% 12.0% 74.0%
ok its make by the sci-fi channels one of the king of ok too generous
cod movie production does anyone know if they ever make a good movie
that wasnt a miniseries dune and children of dune be good does anyone
actually expect sci-fi to make a good mak
Movie title: Mammoth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 11.0% 15.0% 75.0%
the plot of the devils rain be very simple it concern the preston
family and a book their ancestor steal decade ago from a devil
worshiper name jonathan combis ernest borgnine combis have spend
century try to locate the book and will stop at nothing
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.43 8.0% 8.0% 84.0%
context be everything for this type of film this be a 1970 era devil
worship film which be a genre quite apart from other horror movies the
american public be in something of a satanic-panic in the 70 what with
people listen to black sabbath and play
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 7.000000000000001% 10.0% 82.0%
this have get to be one of the strange movie ever made yet somehow i
still find myself revisit it at little once a year despite the fact
that its seriously flawed i will attempt to explain why that is lets
begin with try to decipher some sort of plot
Movie title: The Devil's Rain
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 10.0% 13.0% 77.0%
in africa a english sugar cane plantation owners pregnant american
wife be curse for her sisters stop the tribal sacrifice of a goat
christopher lee give obvious star treatment and always a welcome
presence a far a this horror fan be concerned be a r
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 16.0% 4.0% 80.0%
a likable cast and and decent location photography make this low
budget horror film watchable jenilee harrison suzanne somers
replacement cindy on threes company play a 1950s great white huntress
in africa who interrupt a sacred tribal ceremony so th
Movie title: Curse III: Blood Sacrifice
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 14.000000000000002% 76.0%
if longtime fan of the friday the 13th saga have anything to say about
it the people behind this film will burn in the same place a its
hockey-masked start jason goes to hell the final friday be completely
preposterous out of place and a affront to w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 6.0% 8.0% 86.0%
lets understand two thing about slasher horror from the 1980 of of all
they have a legacy of saturate their own market and secondly they be
simple story bear out of the twilight of a ever change world with this
in mind it would be easy to point out w
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 20.0% 72.0%
major spoilers before you read my review there will be lot of hate for
this movie and if you be a fan of friday the with film like me avoid
my review at all cost because it be not likable youve be warned what
the hell be this movie this be not a jaso
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 13.0% 10.0% 77.0%
not actually kill in manhattan surprise surprise jason be still at it
until a undercover fbi agent julie who make time to take a shower
trick him into a ambush where hers blow to pieces if you think be head
and limbless will stop mrs voorhees from re
Movie title: Jason Goes to Hell: The Final Friday
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 17.0% 6.0% 77.0%
the snake woman be a brief only of minute long painless silly and
quite amuse british horror film with some decent atmosphere and
capable performances its not memorable overall save for its sexy snake
woman but its entertain stuff its low budget enou
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 19.0% 70.0%
fans of atmospheric and story-driven 60 horror all over the world
should urgently combine force and catapult the snake woman out of
oblivion and into the list of favorites despite the compel storyline
and a acclaim director in the credit sidney j fur
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.08 13.0% 13.0% 74.0%
its obvious that the snake woman be make on a shoestring budget the
production value be very low the special effect nonexistent and the
film only run for little over a hours but in spite of that sidney j
furies film be at little a interest example of
Movie title: The Snake Woman
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 9.0% 15.0% 76.0%
this be not a sequel to the of movie well only in name but it have no
character or storyline connection what so overran alligator be kill
people and animal in a sewer and surround area up to the local police
force to take him out sounds familiar the
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 10.0% 73.0%
this serviceable follow-up to the original alligator have absolutely
nothing to do with that movie a other than feature a alligator live in
the sewer of a us city i actually find this a fun tongue-in-cheek
little monster movie that work around the lo
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.9 14.000000000000002% 15.0% 70.0%
alligator ii the mutations be a much than capable sequel to the of
classic spoilers a rash of death in the chicago swamp have leave the
local police baffled detective david hodges joseph bolognas be bring
in to lead the investigation which take place
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 12.0% 20.0% 68.0%
another chemically enhance alligator grow to epic proportions lead to
a series of fatality that threaten a lakeside development project the
obligatory doubt and denial lead rogue cop bologna and rookie brown to
of convince the hierarchy that the titl
Movie title: Alligator II: The Mutation
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 12.0% 10.0% 78.0%
bert in gordon when you hear that name many people smile but some
trembled many of us remember his back project monster the beginning of
the end transparent giant the amazing colossal man and his malevolent
ghost tormented okay so his effect be usual
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.38 8.0% 10.0% 82.0%
one of the zillions of 50 horror this probably be one of the of
monster movie i ever saw i must have be around year old when it be air
on chiller theater one saturday night in suburban new york i remember
particularly freak out and scream when the gi
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 11.0% 8.0% 81.0%
hokey was sci fi from bert i gordon who despite the prevalent hokum
crappy effect and cheap sets keep crank fun flick from the 1950s sci
fi heyday its one of that films if you of see it a a kid its leave a
pretty strong impression just with the horre
Movie title: The Cyclops
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 13.0% 8.0% 79.0%
interview with the vampires be a atmospheric highly grip film involve
vampires not a vampire movie whilst the latter would describe a film
that focus on its vampirism and may be judge on the sharpness of its
fangs this film involve vampires have all
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.77 16.0% 13.0% 71.0%
in like anne rice be initially dismay that tom cruise have be cast a
estate but when i see the film i have to admit that he absolutely nail
the role i have always think of cruise a a pretty boy and not really a
serious actor especially since he fail
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 9.0% 13.0% 77.0%
interview with the vampires the vampire chronicles aspect ratio 85
1sound formats dolby digital sdds17th century new orleans the
relationship between a ancient vampire atom cruise and his
bloodsucking protege brad pitta be test to destruction by a yo
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 17.0% 7.000000000000001% 76.0%
i have a passion for film with dark settings whats even well be when
the film be not only dark and dismal but also deep and engrossing with
a combination of anne rices script and neil jordans direction the
overlook interview with the vampire not only
Movie title: Interview with the Vampire: The Vampire Chronicles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 24.0% 4.0% 72.0%
tremors be a flawless film write another commentator on this site and
hers damn right what a movie ive miss it in the cinema because over
here in europe this maybe play in vienna in theater for one week and
hardly anybody catched it but some time lat
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 21.0% 9.0% 70.0%
out of tremors be often describe by many to be a cult classic which be
odd a the fact is cult film usually have a quirky quality to them that
separate them from the usual hollywood-churned machine a take re-
animator for example or even the recent rav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 28.999999999999996% 11.0% 60.0%
loved the movie how can you not it have two lovably bumble buddiest
val and early play to perfection by kevin bacon and fred ward it have
a remarkably funny gun craze survivalist couple play completely
straight-faced by gross and reba mcentire it hav
Movie title: Tremors
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 12.0% 16.0% 72.0%
and they roll and they chew and they eat and eat and eat darn that
space people for solve the critter problem a this be one of that tv
late night movie that be totally awesome because of its creativity a
course while i watch it i have no dream of gre
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 4.0% 80.0%
eight flesh eat alien have escape from a maximum security prison in
space these alien be travel to earth to eat anything living the brown
family dee wallace stone billy green bushy scott grimes nadine van
elder be be stalk and trap in their own farm
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 28.999999999999996% 9.0% 61.0%
critters try to be nothing much than good entertainment and simple fun
and succeed admirably at both decent acting believable characters and
a engage story prove once again you dont have to spend ton of money to
make a good picture
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.27 16.0% 15.0% 69.0%
at the start of critters somewhere in space crites be be bring to
custody but of them escape so that hunter have to get them back now
this sequence can have easily last minute in any other movie but
critters doesnt waste time it take about one minute
Movie title: Critters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.1 4.0% 5.0% 92.0%
blood beach rocks it have everything a saturday night movie need from
a giant phallic monster to a scene where every few moment the mic drop
into shot a popcorn monster flick give a unique angle on the jaws
theme some good gore fx and a good few jump
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 10.0% 73.0%
after several people mysteriously vanish from a south californian
beach authority begin the search for whoever or whatever be
responsible believing some kind of ravenous subterranean creature to
be the cause of the disappearances harbour patrolman ha
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.15 9.0% 10.0% 81.0%
those darn film producer of the 1980 be at it again they be try to
scare us from go back into the water again first steven spielberg get
us with jaws follow by the infamous inferior sequels then we be treat
to a double-dosage of tentacles pair with o
Movie title: Blood Beach
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.35 13.0% 10.0% 77.0%
heaps of potential wasted you have cute chicks they be thin and have
long hair there be a bikini contest announced everyone be on vacation
except one who be in grief so can be make happy and what doe this
movie do next to nothing with problem with th
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.32 15.0% 9.0% 76.0%
i mean one always wonder who this people be who watch infomercial for
of minute at a time well here be our answer it be much fun and
interest to watch a infomercial compare to this do give three star for
the harbors and the chick who promise sex to t
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 18.0% 9.0% 73.0%
the cleavage and hard body be spectacular and promise but the promise
of a bikini contest never materialize and there be no woman be natural
and flaunt their body and no sex it be almost like a taliban
republican ski resort otherwise the story be a j
Movie title: Avalanche Sharks
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 23.0% 15.0% 62.0%
the howling 1981 be a underrate cult classic werewolf film of the 80 a
masterpiece in all horror genre it be one of my personal favorite
horror movies from the director of gremlins and piranha come the
ultimate masterpiece of primal terror filed with
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 21.0% 9.0% 69.0%
this be a excellently craft piece of work from former roger norman
student joe danted i wont go much into the plot but it involve a news
woman who get attack while in a porno shop view room to get her mind
off things a psychiatrist recommend she go t
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 11.0% 12.0% 77.0%
in 1981 horror movie be on the verge of their great comebacks the 1970
give us alien jaws and the exersist but we have lose the creepiness of
the classic universal monster films such a dracula the mummy and my
personal favel the wolfman pop culture h
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 21.0% 15.0% 64.0%
terrific modern werewolf film from director joe dante remain one of
his well movies news anchor have a terrify encounter with a lunatic
murderer then decide to seek rest in a isolate colony of weird
characters its about to become a hairy situation wr
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 20.0% 7.000000000000001% 74.0%
attractive reporter dee wallace stones come to a small health resort
what she doesnt know be that all the resident of this resort be
werewolves the howling be one of my favourite werewolf flicks it
feature some of the well transformation scene ever f
Movie title: The Howling
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 14.000000000000002% 9.0% 78.0%
i realize that this be not one of the much popular film in the howl
series i still havent see howling part of of or but ive read some
pretty bad thing about them the howling be my favorite one yes i pick
it over the of one which seem to be everybody
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.86 14.000000000000002% 10.0% 77.0%
after the complete failure of a sequel that howling ii was philippe
mora return for yet another installment try a different more spoofy
approach this time but it didnt work out much better most of the blame
must go not to the direction but to the awf
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 11.0% 18.0% 71.0%
howling be yet another horror effort where excellent idea and even the
mood and atmosphere of a horror classic be not cultivate or nurture
throughout the filmi be bring up in the era of the american werewolf
in london definitely the classic archetypa
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 12.0% 70.0%
the original howling be a fun little werewolf flick nothing too
serious just a simple but original premises some well-handled tension
cool makeup effect and a nice healthy dose of gore and violence to
round thing off compared to its much immediate ri
Movie title: Howling III
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 23.0% 12.0% 65.0%
this film would have probably be horrible have they take themselves
seriously a fortunately they didnt and consequently create a fascinate
and entertain festival of murder revenge and art deco set design
vincent price be phibes a brilliant organist a
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 30.0% 11.0% 59.0%
calling this horror doe not make it justice i wouldnt call it movie
either but film its pure art the set and art direction be incredible
the whole movie show the laura of 1920 art decos give it that classy
touch the script be also very original and t
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 1.0 28.999999999999996% 7.000000000000001%
Neutral
0 64.0%
vincent price play a dead man avenge the surgical team that lose his
wife on the operate table a nine doctor in allbone of them a nurse be
treat to nine of the much innovative creative outlandish death
imaginable the death loosely follow the ten plag
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 25.0% 7.000000000000001% 68.0%
there be several actor in cinema that give away terrific performance
all the time no matt what role their cast in theyre always believable
and impressive but then even beyond that there be some actor whore
just born to play certain role and thats the
Movie title: The Abominable Dr. Phibes
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.87 12.0% 12.0% 76.0%
dr phies rises again be the sequel to the magnificent the abominable
dr phibes the original film achieve cult classic status through a
magnificent performance from vincent price a the vengeful doctor of
the title and a over the top absurd camp style
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 14.000000000000002% 10.0% 75.0%
not a good a the of phies movie the abominable dr but jolly good fun
so long a youre not expect a horror movie this be a comedy the double
act of peter jeffrey and john cater a the bumble police officer trout
and waverley be a joy vincent price himse
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 19.0% 6.0% 75.0%
may contain spoilers this follow up to the abominable dr phibes just
go to prove that you canst keep a good man down vincent price a
knowingly camp a every tip a nod and a wink to the audience through
his portrayal of byronic romantic hero anton phie
Movie title: Dr. Phibes Rises Again
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.57 12.0% 11.0% 77.0%
theyve get some nerve call this film alien of although certain element
have clearly be inspire by ridley scotts 1979 sci-fi horror classic
the film a a whole couldnt be much different a want tense
claustrophobic space-bound futuristic action not a ch
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 6.0% 13.0% 81.0%
the of hour of this film be so painfully slow that it take me over
year to finish it ism not kidding ive have this on vhs since the
mid-90s and every time i try to watch it i would give up 1980 be a
banner year for italian do ripoffs a the film world
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 14.000000000000002% 16.0% 70.0%
this massively incoherent dumb cheesy and amateurish italian early-
eighties movie-thing reward itself with the title alien of but theres
very little even no relation with ridley scotts sci-fi masterpiece
that single-handedly alter the status of the g
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.87 4.0% 8.0% 89.0%
a lot have be write and say about alien of the unauthorized follow up
of alien i watch it year ago and just can remember the fall head
attack by a alien so i watch it again but my only concern be to catch
the uncut version english language a lot have
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 8.0% 12.0% 80.0%
id hear bad thing about this like it be too slow confusing have too
much potholing in it but after finally watch this i feel the bad dub
and general stupidity of the script not to mention the great
soundtrack by oliver onions carry everything through
Movie title: Alien 2: On Earth
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 20.0% 9.0% 70.0%
cmon people look at the title lole i remember see this movie on
saturday late night creature features year ago its a great cheesy
monster flick with hilariously bad act and two wonderfully moronic
hillbilly that add to the schlock factor the redneck
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 5.0% 15.0% 80.0%
in oregon a meteor crash into crater lake and heat the water hatch a
dinosaur egg months later fish have vanish from the lake and a huge
dinosaur hunt cattle and human to feed the local sheriff steve hanson
richard cardella investigate the mysterious
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 18.0% 5.0% 77.0%
this movie be a great drive-inn 70 sci-fi thriller i know much people
give it bad comment thought since it be suppose to take place at
crater lake instead because of the low budget limitation it be film in
california at some land form lake up there a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.23 10.0% 10.0% 80.0%
and how they bear you right out of your mind the crater lake monster
be one of the classic bad film from the 70 make with no actor of any
note a embarrass script woeful direction and a tireless desire to fuse
horror with light comedy this movie intro
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 12.0% 1.0% 87.0%
despite its budget limitations this be a great film proof that effort
and imagination can overcome lack of cash the opening in which cave-
paintings seem to show how some dinosaur at little survive into the
age of human beings be a nice red herrings a
Movie title: The Crater Lake Monster
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 14.000000000000002% 17.0% 69.0%
my god this movie be horrible i be quite a fan of shark movie and all
that jazz do i look forward to this new installment in the genre
however i must say that this movie be just ridiculous for this movie
to work i think they need to have some humor t
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.11 16.0% 14.000000000000002% 70.0%
i be not expect something a enjoyable or over the top a last years
piranha d but i be at little expect some time kill shark attack fun it
seem however that they couldnt even pull that off the script be
horrific and the plot be ho-hum but much importa
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 12.0% 18.0% 69.0%
seven young and pretty undergraduate head to a seclude lakeside
cottage in louisiana to take a load off and enjoy a wild and crazy
weekend away but thing take a turn for the wrong when a member of the
group be attack by a sharks isolated with no cell
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 12.0% 17.0% 71.0%
warning contains spoilers though nothing can spoil this film more than
its artless existence in the first place quite possibly the wrong film
i have ever watch in my of year of life shark night d beat such
classic a demi mooress striptease barring th
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.0 6.0% 7.000000000000001% 87.0%
this movie start out so great it have that whole jaws go on and it
really look like it be go to be a movie that would pay homage to the
classic jaws movies then it all come crash down hard and go downhill
shark night be without a doubt one of the stu
Movie title: Shark Night 3D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.94 6.0% 13.0% 81.0%
ism not a naive person i realize that animal in nature be kill and
sometimes slowly i just dont understand what it have to do with the
film why do they have to have minute of a innocent animal scream
before the huge snake finally coil tight enough to
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.71 8.0% 10.0% 83.0%
in brooklyn in new york city the drug dealer mike logan john morghen
steal us 100 000 00 from his supplier and flee to colombian the police
detective seek out the touristic guide myrna stern meg fleming who
share her apartment with mike meanwhile the
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 12.0% 15.0% 73.0%
there be so many version of this movie float around that i have
absolutely no idea what be cut from the version i saw and what wasn t
all i know be that it be the recent grindhouse releasing version
expect absolutely nothing from this movie other tha
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 5.0% 24.0% 71.0%
i buy this thing use at a video game stores clearance bind i want to
get that guilty feel from watch something ive be warn be too intense
to watch i want the shock value i want to feel guilty and bad about
watch a banned film i be very disappointed c
Movie title: Cannibal Ferox
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 12.0% 17.0% 71.0%
professor harold monroe robert kerman aka porn star richard bollay
travel into the jungle of south america to try and discover what
happen to a group of three documentary film maker who have be miss now
for some time after locate a primitive tribe mo
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 4.0% 16.0% 80.0%
cannibal holocausts be not the campy little horror flick i expected
its a serious and well-made movie and its a experience you ll hardly
ever forget according to trivium section the movie can only be see
completely uncut in the ec-ultrabit dvd which
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 9.0% 18.0% 73.0%
yes this film be ban and heavily censor in a few place for be
disturbing it doe have some really good do gruesome scene but the real
censorship come from the cruelty to animals lets just say this film
doesnt have no animal be harm during production s
Movie title: Cannibal Holocaust
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 5.0% 15.0% 80.0%
professor norman boyle paolo malcom move his wife lucy catriona
maccoll and acute a-hem little blonde son giovanni frezza from new
york city to a curse three-story boston house by a cemetery the dig
come complete with creaky floorboards crying moanin
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 19.0% 71.0%
this film along with city of the living dead and the beyond belong to
the gate of hell trilogy by lucio fulfil the film be not part of the
same story but rather share similar element and all three star the
great screamers catriona maccoll this one to
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.56 7.000000000000001% 8.0% 85.0%
in new york dry norman boyle paolo malcom assume the research about
dry freudstein of his colleague dry petersen who commit suicide after
kill his mistress norman head to boston with his wife lucy boyle
katherine maccoll and their son bobby giovanni
Movie title: The House by the Cemetery
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 14.000000000000002% 10.0% 76.0%
now this be how a zombie film should be made whilst lucio fuci never
have the creative genius of dario argentol in profonde rosso tenebrae
and suspiria he certainly know how to make a good old fashion zombie
gore movie in zombi or zombie flesh eaters
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 8.0% 72.0%
of getting reception for new york city radio station be easy than youd
think on the island of matool of molotov cocktail be easy to ignites
but the flame they produce rarely stay light if youre throw much than
one at a time of dry menard like his boo
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 19.0% 5.0% 76.0%
zombi zombie zombie flesh eaters be a classic gore fill zombie film in
italy its class a a sequel to george a romeros dawn of the dead since
in italy its call zombie but in other part of the world they class it
a a separate film and name it something
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.44 12.0% 8.0% 79.0%
zombie be right up there with romeros film in term of quality you dont
have to be a zombie fan to like this film directed by lucio fulfil
this movie be one of the well italian horror film ever made its a
shame its not a famous a romeros series the vi
Movie title: Zombie
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 19.0% 9.0% 72.0%
as co-founder of nicko joes bad film club show here in the uke all i
can do be stand on my chair and applaud wildly a true true instance of
a great bad movie its come a very close a to shark attack of which be
of course the best bad shark movie ever
Movie title: Cruel Jaws
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.76 12.0% 17.0% 71.0%
disregard the many negative review of this film below it be actually a
odd little hide gems the story be about a man who win a card game
against christopher lee who then give him his large old house the man
move into the house with his family and the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 26.0% 7.000000000000001% 67.0%
the heavy-handed criticism level at this film by certain reviewer be
mostly irrelevant this film have merit far-beyond be a simple freddy
krueger rip-off and be not i suspect intend to be that scary its
british humour of the high order and along with
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.05 16.0% 15.0% 69.0%
the maker of funny man seem to have want to create a 100 english
version of such wisecrack horror figure a freddy krueger and the
figure theyve choose seem on the mark hers a live embodiment of a
joker from a deck of cards a other joker jester image
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.67 11.0% 14.000000000000002% 75.0%
not in the little bite funny this comedy horror was although it break
my heart to say it make in britain and although it pain my very soul
to admit it star christopher lee how the mighty have fallen poor old
lee we canst blame him for appear in this
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 8.0% 16.0% 76.0%
i canst for the life of me understand what the heck the user who post
about this movie before me be on when they comment it i buy this movie
at a supermarket wholesale at about $1 50 bundled with another crappy
horror movie and it be still one of the
Movie title: Funny Man
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.7 6.0% 10.0% 85.0%
you have to see this movie much than once to understand and figure out
whats go oncin short after be reanimate from the dead greta von
holstein ewa aulin seeks revenge on a lover who jilt her by fake a
carriage accident and cause the death of its dri
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 19.0% 72.0%
this early d amato film bear some affinity to the work of mario naval
be a with century gothic horror long on style and atmosphere if short
on coherence the basic plot involve a brother who raise his sister
from the dead using a old incan ritual in o
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 11.0% 14.000000000000002% 74.0%
1906 greta ewa ruling be rape by her brother the hunchback franz
luciano rossi they become lovers one day she meet dry von ravensbrück
its love at of sight her brother franz see it all with bitter eyes
greta get pregnant from dry von ravensbrück gret
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.73 6.0% 9.0% 85.0%
in the mid 70s a a year old i be watch the late show and during
commercial i change the station to channel in atlanta gap a they be
show this little gems and i catch a few minute of it a it take me year
before i can see it on tv again and i have to r
Movie title: Death Smiles on a Murderer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 11.0% 19.0% 70.0%
el nuque maldito suffer from several alternate titles perhaps
distributor fear a stigma if it be out in the open about be the a of
the blind dead movies amando ossorio delight that that follow the
blind dead series with a a installment i have to admi
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 7.000000000000001% 18.0% 75.0%
this film be my of introduction to the severely underrate blind dead
mythos despite their age they stand a some of the much hauntingly
eerie and frighten horror film of all time the film center for its of
half around two model we shall call them of a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 16.0% 75.0%
the blind dead leave the sanctuary of the templars crumble monastery
for the a in the series the float fright-fest horror of the zombies
aka the ghost galleon if there be ever a film thats root firmly in the
decade from which it sprung its this one a
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 20.0% 72.0%
first of all horror of the zombies the title of the version i saw make
it sound like the movie be about something that scare the live dead
this turn out not to be the cases if fact this arent conventional
zombies at all they be much like undead pirat
Movie title: Horror of the Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 5.0% 15.0% 80.0%
what happen when you combine the lower-echelon of actors guild with
what appear to be the masterful effect of a high school edit suite you
get this oh-so-very-bad film from the outset you know its bad and the
producer dont seem to want to hide from t
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 35.0% 10.0% 55.00000000000001%
this movie be so bad the gore be pretty cheesy the act be terrible
every time someone be killed we bust out laugh at how horrible it was
i agree with the other poster tho the strip club scene be pretty
amusing however it be a like a train-wreck we co
Movie title: Jolly Roger: Massacre at Cutter's Cove
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 17.0% 7.000000000000001% 76.0%
ok for that who dont know who peter bark is but have see this film he
be the strange little boy who look like a man and actually be a adult
too- we hope every time i get down and depress and want to end it all
i put this movie in and i be remind of h
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.83 15.0% 9.0% 75.0%
this be definitely my favorite zombie movie its really unfortunate
that it be so hard to find and it go by so many different names i rent
it of a zombie but i purchase it under the title burial ground i
believe that it also go by its original italian
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 9.0% 14.000000000000002% 77.0%
a movie of such bombastic ineptitude its not unlike watch sam taimi
try to direct a movie while at the same time be gang beat by a group
with electric cattle prod until hers stupid and even then thats
probably give bianchi much credit than he deserve
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 13.0% 6.0% 81.0%
wowf this movie be awesome i love it burial ground be over a hour of
the well non-stop zombie action ive ever seen theres a brief attack at
the very begin on some professor a few obligatory sex scene in which
we meet the main characters and then befo
Movie title: Burial Ground: The Nights of Terror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 12.0% 14.000000000000002% 73.0%
i canst explain why i pick up the dvds dog soldiers off the video
store shelf a the box art consist of poorly draw wolf and there be a
tag line that read from the producer of hellraiser a normally this
combination would have me wipe down the cover in
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 9.0% 67.0%
brillant i must admit that i be pretty skeptical when i pick it up
from the rack at my dvd retailer a werewolf movie arent they generally
so bad no one want to watch them buy them the fact that it be on sale
didnt help but i brace myself and get it f
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.82 18.0% 20.0% 62.0%
if you be like me and be completely sick to death of the teen college
slasher horror that hollywood seem to produce by the week then dog
soldiers be then film for you this film have everything for the true
horror fan a great story good act lot of blo
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 16.0% 4.0% 80.0%
when i get this movie i be expect cheesy american movie about soldier
against people in rubber wolf masks how much much wrong can i have
been this movie be brilliant and a refresh change from all the
hollywood junk about killer doll and such by the m
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 21.0% 13.0% 66.0%
dog soldiers 2002 be my numb favorite well werewolf film of all time a
true horror classic i love this film to death and it be my favorite
action horror werewolf film in the horror genre it be numb because it
be simple it be soldier and werewolf and
Movie title: Dog Soldiers
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 22.0% 14.000000000000002% 65.0%
i remember devil dog play on tbs almost year ago and my old sister and
her friend watch it and laugh all the next day its not that bad for a
made-for-tv horror movie but it be derivative mostly of the exorcist
and businesslike for lack of a well word
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.44 14.000000000000002% 13.0% 73.0%
i run across this several year ago while channel surf on a sunday
afternoon though it be obviously a cheesy tv movie from the 70s the
direction and score be good do enough that it grab my attention and
indeed i be hook and have to watch it through to
Movie title: Devil Dog: The Hound of Hell
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.93 7.000000000000001% 12.0% 80.0%
boasting a all-star cast so impressive that it almost seem like the
mad mad mad mad world of horror pictures the sentinel 1977 be
nevertheless a effectively creepy film center on the relatively
unknown actress cristina raines in this one she play a f
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 23.0% 17.0% 59.0%
bizarre horror movie fill with famous face but steal by cristina
raines later of tvs flamingo road a a pretty but somewhat unstable
model with a gummy smile who be slate to pay for her attempt suicide
by guard the gateway to hell the scene with raine
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 9.0% 13.0% 78.0%
alison parker cristina raines be a successful top model live with the
lawyer german chris sarandon in his apartments she try to commit
suicide twice in the past the of time when she be a teenager and see
her father cheat her mother with two woman in
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 14.000000000000002% 8.0% 77.0%
not this be not a great movie but i give the cast director extra star
for the cast ava gardner eli wallache chris sarandon john carradine
burgess meredith a very young christopher walked the be quite handsome
then beverly d ángelo and jerry orbach am
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 19.0% 11.0% 70.0%
bored with the normal run-of-the-mill staple film to watch this
halloween that ive see over and over again i take a chance on the
sentinel hope it can get my horror juice flow again a mind you i have
just come back from see the dark castle remake of
Movie title: The Sentinel
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.83 19.0% 21.0% 60.0%
ism rather pleasantly surprise after see ghost ship a i expect it to
be a lot sillier much dumb and inferior than it actually is still a
long way from be a good horror film but a step in the right direction
to say the least cast and crow pay attentio
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.01 14.000000000000002% 13.0% 73.0%
the a movie produce by the production company dark castle and manage
by joel silver and robert zemeckis ghost ship 2002 mark a step forward
and constitute a neat improvement in comparison with the two previous
movies the house on the haunted hill 199
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 16.0% 11.0% 73.0%
the savage team of a tug be ready to rest after the transportation of
a platform when they be celebrate in a bare the plane pilot jack
berriman desmond harrington offer them the chance of rescue a
passenger vessel vanish in the ocean in 1962 captain
Movie title: Ghost Ship
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.53 14.000000000000002% 12.0% 74.0%
amazingly entertain and completely stupid italian horror a pop group
purchase a mysterious unpublished paganini melody from a mysterious
old man turns out its the evil melody he write to sell his soul to
satan or something anyway when the band play t
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 7.000000000000001% 24.0% 69.0%
the female rock and roll band form by kate jasmine main elena michel
klippstein and rita luana ravegnini want to release a new album but
their producer lavinia maria cristina mastrangeli refuse since their
song be very poor their friend daniel pascal
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 7.000000000000001% 17.0% 77.0%
when a predominantly female rock band be lambaste by their producer
for fail to write a decent tune their male drummer purchase a
unpublished score write by violinist paganini who be rumour to have
murder his wife and sell his soul to the devil in ex
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.15 23.0% 22.0% 55.00000000000001%
paganini horror isnt a masterpiece but it be a solid horror flick that
will keep almost all horror fan entertained the acting apart from
daria nicolodi deep red tenebre and donald pleasance phenomena
halloween is pretty bad and the rock music be extr
Movie title: Paganini Horror
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.59 16.0% 12.0% 72.0%
only really need to say absolute garbage of the high order and like
the ebola virus it should be avoid at all cost even for free or bore
to death do not attempt to watch this drivel its truly shocking linda
hamilton career have spin-dry into the barg
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 19.0% 72.0%
the presidents plane go down over the bermuda triangle it submerge
quickly elements of the us navy go to the last know position and start
surveillances some huge tentacle rise out of the ocean and do a lot of
damaged trip oliver lead a team on a subm
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.95 17.0% 19.0% 64.0%
okay bermuda tentacles may not be the wrong say have do or quite down
there but it be incredibly bad and wrong than any of their offering
from last years it look cheap good the photography be okay if rather
drab but the edit be choppy and the whole m
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.46 13.0% 14.000000000000002% 73.0%
hi guys every time i see one of this movies i say they canst get any
worse then i watch the next one and its worse this one really sucked
the marine or what ever they be didnt even shave and the woman have
about a pound of makeup slap on them i also
Movie title: Bermuda Tentacles
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.78 8.0% 9.0% 83.0%
heading into the amazons a documentary team study a long-lost tribe
run afoul of a hunter search for a legendary anaconda and be force to
help him track the deadly creature this be a decent and quite
enjoyable creature features one of the well featur
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 26.0% 7.000000000000001% 67.0%
its a stupid b-movie with enough quality to fly by and enough camp
charm to get away with such cinematic crimes the cast play it straight
apart from vight ism pretty sure he be drink during the shooting come
out with a inexplicable accent and a look
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 16.0% 12.0% 72.0%
before there be snakes on a plane there be anaconda a hollywood
b-movie from the late 90 that be a notorious for its mix bag of actor
a it be for the gruesome snake that populate its plot in the film a
group of documentary film-makers travel through
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.84 15.0% 16.0% 69.0%
growing up in the 50 give me the privilege of be one the last
generation of filmgoers to enjoy the saturday afternoon double-feature
matinee experience at the neighborhood theatre these double-features
be primarily low budget sci-fi epic with slender
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 15.0% 12.0% 73.0%
there be two way to see this film and rate it as a movie that turn out
to be much wrong than it intend to be in which case its obvious that a
actor like jon vight would overact to try and make it look like it be
intend to be bad the special fix inten
Movie title: Anaconda
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 14.000000000000002% 8.0% 78.0%
years ago the people grow so greedy and hedonistic that they be no
long satisfy with worship a mythical god so the queen have sex with a
bull and produce the minotaur didnt turn out so good a few death be
involved and the creature be place in a labyr
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 17.0% 6.0% 78.0%
welcome to the citizen kane of sci-fi channel movies not that minotaur
be faultless its just competent on so many much level than your
average sci fi-schlock fest that it appear great in comparison we have
some actual act go on granted there be some
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.9 15.0% 10.0% 76.0%
ah minotaur see this movie in my tv-guide on a lazy saturday night the
review that come with it wasnt that good but i have nothing well to do
so i just give it a go surprisingly the story keep me entertain for
the whole of minutes tony todd be a real
Movie title: Minotaur
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.33 14.000000000000002% 13.0% 74.0%
cheaply make horror film from the 70 that be surprisingly well than
you may initially expect the film open in romania a soldier uncover
the underground tomb of the dracula family a soldier pull the stake
out of a puffy sheet in a open casket and be s
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.1 12.0% 11.0% 77.0%
blending the vampire and creature feature themes albert bands zoltan
be a haunt filmscape canvass dracula faithful undead servant veldt
schmidt nalder and bloodhound name zoltan awake from their eternal
slumber to locate dracula last know descendant
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.87 18.0% 10.0% 71.0%
this film be great dog lover should get a kick out of this movie
seeing zoltai lick his chop after bite both human and fellow dog be
worth a chuckle or two the reinfeld-type character be probably the
ugly human be i have ever seen pataki see in many
Movie title: Dracula's Dog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 16.0% 17.0% 67.0%
in general terms the basic premise of both original 1942 cat people
and the 1982 paul schrader remake be the same a exotic european beauty
be give to transform into a black panther when sexually aroused but
schrader unravel this fantasy concept in so
Movie title: Cat People
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 1.0 14.000000000000002% 7.000000000000001%
Neutral
0 79.0%
after look for year for his long lose sister irena dallier nastassja
kinski paul malcolm mcdowell finally find her and have her come to new
orleans where hers currently living while there she gradually discover
the truth about their bizarre past and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 13.0% 79.0%
this 80s film be much of a love story than a horror although it doe
have a few fairly horrific scene in in particular a rather graphic
scene where a zoo worker have his arm rip off by a black panther the
film open in the prehistoric past with a girl
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.9 14.000000000000002% 12.0% 74.0%
despite have be young semi-conscious i be under five year old and
possess few actual memory of the nineteen eighties the decade have a
certain personal eroticism for me the powdery skin shimmer camera-work
the outrageous kink and camp of the clothing
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 21.0% 10.0% 69.0%
erotic thriller with nastassia kinship star a a young female whoas go
search for her own inner self in many way a remake of the 1942
original but also in many way not a remake a film that stand its own
ground this have a quality of sexual awaken and
Movie title: Cat People
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.52 13.0% 12.0% 75.0%
allow me to save you of by offer something you can do at home that be
just a entertain a watch this movie go get a load of white and throw
it in your dryer now add in one red sock make sure everything spin-dry
so you dont end up with a bunch of pink
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 13.0% 15.0% 71.0%
i wasnt angry about the fog remake until i hear that it be go to be
release by revolution studios a company know to house crap movies from
then on my hope werent that high and they sink even low when i see the
trailer it look to much like boogeyman o
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.73 12.0% 14.000000000000002% 73.0%
i be so disappoint about this when i of hear they be remake it i be
worried but give it every chance to actually be good it wasn t
everything that be good in the original be ruin in this one there be
no atmosphere to it it be just a bunch of overly-b
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 12.0% 22.0% 66.0%
john carpenters name be synonymous with horror films a few film be not
good received but hers go on to develop a cult status his movie the
fog be not consider a huge hit but have become near and dear to many
horror film lover bloody hearts so when it
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.07 10.0% 10.0% 80.0%
i recently see the fog and then read a lot of the review post on iadb
about it in my opinion you people be be too easy on it can you rate
anything below a of can i give a negative rate to this film and much
of all ism write revolution studios and dem
Movie title: The Fog
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.27 12.0% 13.0% 75.0%
since the original film be release back in the 1970s major advance in
special effect have buy some truly brilliant films unfortunately the
man in a furry coat doe not advertise this say advances the slow
motion sequence do add to the feel of the film
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 9.0% 21.0% 70.0%
in all honesty i wasnt expect much and once again i didnt get much
certainly i have see much wrong than snow beast but overall i find it
lame with the only really good attribute be the scenery and john
schneider performance the effect be really not v
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.53 10.0% 6.0% 84.0%
i have never hear of this movie and be a bite hesitant about watch it
think that this would be just another movie load down with lame
digital special effects i decide id record it on my der while i be at
work and watch it the next day ive actually ne
Movie title: Snow Beast
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.89 7.000000000000001% 15.0% 79.0%
the gastro zombie be a man in a rubber mask the male lead try to keep
a straight face while spout ridiculous dialogue tura satan wear exotic
outfits makeup and eyelash which give the movie some camp appeal you
ll have a hard time figure out the plot
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.33 10.0% 9.0% 81.0%
dont listen to that who claim this isnt a so-bad-it film its
terrifically lousy and laughably great from the dull mute library
music to the stock footage of la police car to what have to be the of
unnecessary nude-dancer scene since then a staple of
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 3.0% 20.0% 77.0%
word on the street have it that the astro-zombies be one of the wrong
film of all time right down there with plan robot monster and the
beast of yucca flats and for once the word on the street be right this
movie really is a incredible stinker in eve
Movie title: The Astro-Zombies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 20.0% 6.0% 73.0%
i like this make for tv movie about a cryogenetically freeze body be
bring back to life beck play the cold-hearted lad who die ten year ago
and be freeze by his mother wait for a chance for science to bring him
back via new medical technology his cyl
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.01 13.0% 12.0% 76.0%
with this endeavour director wes craven will not in all probability
please many enthusiast of his other films the majority of which
involve a good deal of violence and bloodlettings but he doe a
workmanlike job with this account of storage cryogeny w
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.46 12.0% 8.0% 80.0%
corporate exec miles creighton becky dies and be cryogenically freeze
in the hope that he can be revived ten year later the procedure be a
success and miles return -- without his souls you have director wes
cravens writer j do feigelson dark night of
Movie title: Chiller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.94 7.000000000000001% 12.0% 81.0%
there must have be a law in the 1980 that state that if you be to make
a a film to a set of horror movie you must make them in 3-d a this be
one of them along with other such fine film a jaws 3-d and friday the
with part iii in 3-d sad to say but i e
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.29 14.000000000000002% 12.0% 74.0%
probably the well movie of the series i think okay thats not say much
but its actually quite enjoyable and probably the strongest plot wise
magazine writer who happen to debunk psychic end up buy the infamous
house for cheap blackmail the current own
Movie title: Amityville 3-D
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 15.0% 19.0% 66.0%
night of the living dead and the texas chainsaw massacre be two film
that receive a unanimous critical bash when they be of released but be
now look upon a ground-breaking horror masterpieces that be also a
classification that can be use to describe
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 15.0% 77.0%
while i think that people tend to get a bite hyperbolic when they talk
about the last house on the left i do think its a fairly good film
especially give what the filmmakers be try to do and consider their
lack of experienced the era and the budget a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 8.0% 19.0% 73.0%
i have see some film literally dozen of times they will remain
nameless but they be there some of that film be pure entertainment and
have leave a obvious mark on me i have see last house on the left four
times and there be no film that have leave mu
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 4.0% 13.0% 83.0%
i of see last house on the left at the age of of at the drive in with
my well girlfriend this movie a early outing by horror maven wes
craven be so disturb to me that of year late i be still haunt by the
image on the screen the story of young girls a
Movie title: The Last House on the Left
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 14.000000000000002% 8.0% 78.0%
very funny movie by roger norman about a hapless busboy who work in a
fifty coffee shop and want much than anything to be accept by the
beatnik in-crowd he be prevent from do so however by his complete lack
of artistic talent not that much of the reg
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 18.0% 12.0% 70.0%
not include almost every entry in the terrific edgar allen poe cycle
he did a bucket of blood unquestionable be roger commands well and
much entertain film and a coincidentally or not a this movie also
contain many reference towards poe a walled-up c
Movie title: A Bucket of Blood
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 19.0% 10.0% 71.0%
the lost boys 1987 be one of the well and the great vampire flicks
ever made a true schumacher masterpiece and a classic horror film i
love the lost boys so much it be one of the well true horror movie
ever make from the 80 i always love this movie s
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 27.0% 5.0% 69.0%
the lost boys be one of the movie that i think epitomize the 1980 it
have a genuine 80 look and feel a good a a awesome soundtrack and some
fantastic performance by 80 legend like corey feldman this movie
really draw you into it and make you feel lik
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 20.0% 7.000000000000001% 73.0%
this movie to me be much of a comedy than a horror a the scene i
remember much be the funny ones a not to say it be a pure comedy it
isn t a it be though a very good vampire tale a the cast be superb
even corey haim and feldman a this be definitely t
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 21.0% 7.000000000000001% 72.0%
one thing i can always promise you be that when people talk about the
well vampire movie of all time the lost boys be guarantee to be on
their list in the 1980 film be all about action sex appeal muscle and
very good look teenagers joel schumacher wh
Movie title: The Lost Boys
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 12.0% 15.0% 73.0%
let me preface this by say that i do not view the trailer before i see
this movie nor do i really know anything about it i do not know if
that will lessen the impact at all but it may not sure what they show
in the trailer writer producer director mc
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 14.000000000000002% 12.0% 73.0%
i be thrill to see a movie like wolf creek come out in theatres a
straightforward horror film not rely on clever twist except one small
one or gimmicks it be the kind of film high tension start off a before
that last act mindf ck and while i end up a
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 18.0% 12.0% 71.0%
wowf like many other movie i review i literally only just see this and
i must say that ism impress with the sac this be a truly horrific
movie the highlights unknown cast- give the movie a very realistic
atmosphere i be so happy to realise that none
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.79 16.0% 14.000000000000002% 70.0%
wolf creek be a fine example of a rare breed nowadays a horror film
that pull no punch and make no apology for frighten and unnerve the
audience three young people be hike in the australian outback when
theyre unlucky enough to meet mick taylor playe
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 24.0% 66.0%
wolf creek be very loosely base on a true story of the real-life
serial killer ivan milat who be convict of kill backpacker and dump
their body in the belangalo forest australia one of his intend victims
young british guy managed to escape and be ins
Movie title: Wolf Creek
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 23.0% 69.0%
many people have make the connection to the friday the with series
with sleepaway camp for obvious reasons a they both come out within a
few year of each other and all the action take place at a summer camp
a however the primary theme in the friday t
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 8.0% 18.0% 74.0%
horror film seem the easy way to make a quick buck in the 80 a there
be a abundance of them that grace video a i dont think half of them
actually make it to the big screen a you can add sleepaway camp to
that list a this be a typical scary film a it
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 6.0% 22.0% 71.0%
this 1983 horror slasher gem be write and direct by of time director
robert hiltzik the story begin with a boat accident which kill the
main character angels father and brother we then move forward in time
now angela be live with her aunt martha and
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 12.0% 16.0% 72.0%
it have be year since i see this movie but i remember the key elements
young girl be harass at camp her bully start dye off unforgettable
ending i just never realize how big of a classic this really is for
that of you who dont know the film start off
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.96 12.0% 23.0% 66.0%
robert hiltzik sleepaway camp be one of the much memorable slasher
movie ever made of course the act and dialogue be terrible but writer
director robert hiltzik manage to create very creepy atmosphere
throughout the killing be original and gruesome a
Movie title: Sleepaway Camp
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 16.0% 13.0% 70.0%
the greenskeeper tell the tale of the summerisle country club golf
course its assistant greenskeeper allen anderson allelon ruggiero its
the day of his with birthday lately allen have be suffer from horrible
nightmares his step-dad john bruce taylor
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.87 13.0% 18.0% 68.0%
in some strange way i see this a caddyshack friday the 13th scary
movie half-baked all mix in a cauldron with the kentucky fried movie
stir up the mix a you have over-the-top privilege teensy a scheme old
man the old mentor type character a reclusive
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 15.0% 11.0% 74.0%
what save this film be that the tone be just right funny and laidback
and tongue in cheeks no cure for cancer just a groovy goodtime a the
actor be all comfortable in front of the camera especially the lead
actor who just stroll through his scene wit
Movie title: The Greenskeeper
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 negative -0.91 17.0% 28.000000000000004%
Neutral
0 55.00000000000001%
after dentist ice-cream man plumber repairman and so on at last even a
greenskeeper get the spotlight a slasher killer numb 600 and so in
this so bad and so stupid be fun variation on the slasher theme it be
worth a rental to get a few laugh for the
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 22.0% 16.0% 62.0%
picked this sucker up in the bargain bin at probably the last remain
video store in txt when i see score by skip winger how can i resist
overall i would say its a satisfy view experience if you be in the
right frame of mind its slow at of with some p
Movie title: The Greenskeeper
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 21.0% 14.000000000000002% 65.0%
after witness his wife linda hoffman engage in sexual act with the
pool boy the already somewhat unstable dentist dry veinstone corbin
bernsen completely snap which mean deep trouble for his patients this
delightful semi-original and entertain horror
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.86 16.0% 13.0% 71.0%
i remember this movie in particular when i be a teenager my well
friend be tell me all about this movie and how it freak her out a a
kid of course be the blood thirsty gal that i am i have to go out and
find this movie now i dont know how to put this
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 22.0% 17.0% 60.0%
the dentist be a uneven but quite effective little horror comedy that
try and succeeds at easy audience manipulation the universal fear of
dental pain will be amplify after just one view of this gorefest
corbin bensen the of law law fame isnt bad a d
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.89 20.0% 9.0% 71.0%
i be never go to the dentist again unless i see his wife beforehand if
he have some delicious piece of candy like linda hoffman ill pass
corbin bensen play a dement dentist to perfection he wasnt dement at
the start only after he catch his precious w
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 31.0% 12.0% 56.99999999999999%
this gem for gore lover be extremely underrated its pure delight and
fun gratuitous serving of blood insanity and black humor which can
please even the much demand lover of the genre a full exploitation of
the almost universal fear of dentist and fla
Movie title: The Dentist
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 18.0% 11.0% 71.0%
this movie seem to be either love or hated those that love it seem to
be argentol fan that have succumb to the style and imagination those
that hate it seem to get annoy at script flaws soundtracks actor most
of the criticizers seem to have miss the
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 10.0% 16.0% 74.0%
my review be base on uncut italian print which run 110 minutes young
jennifer connelly can communicate telepathically with insects the area
she arrive in be be terrorize by a psychotic killer who have be murder
coeds and make off with their decapitat
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 18.0% 9.0% 74.0%
phenomena have long be one of my favourite dario argentol films it
definitely seem to be a love-it-or-hate-it kind of film even much so
than much argentose and i think its his much unjustly underrate piece
of work to date 14-year-old jennifer connell
Movie title: Phenomena
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 0.97 14.000000000000002% 7.000000000000001%
Neutral
0 79.0%
in switzerland the teenager jennifer corvina jennifer connelly
daughter of a famous actor arrive in a expensive board school and
share her room with the french schoolmate sophie federica mastroianni
jennifer be a sleepwalker be capable of telepathica
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 19.0% 12.0% 68.0%
this is a review of the uncut version dario argentous phenomena of
1985 be a absolute masterpiece of horror come along with a ingenious
soundtrack by goblins argentol have enrich the horror giallo genre by
quite a bunch of brilliant films include suc
Movie title: Phenomena
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 9.0% 22.0% 70.0%
this be a genuinely frighten story with correct utilization of images-
shock skill edition and eerie image lucio fulfils main great success
along with zombie of be compel direct with startle gory visual content
its a creepy horror film plenty of bruta
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 13.0% 19.0% 68.0%
the gates of hell be another masterpiece direct by one of the well
horror director lucio fulci fulci who sadly die in 1996 was a real
artist anyway this film concern a priest commit suicide and open the
gateway to hell allowing the dead to rise from
Movie title: City of the Living Dead
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.41 10.0% 9.0% 81.0%
my rate of course only apply to the sort of people whole decide that
they like this movie even before they watch it like me for anyone else
this movie be a total zero evils of the night have some alien seek
human blood a the key to eternal life and w
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.78 15.0% 16.0% 70.0%
if this reviews correspond rate be base on technical prowess or
filmmaking story quality it would naturally be low indeed but it
supply a substantial amount of entertainment value this be cheeseball
crud at its finest while on one hand this viewer do
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 8.0% 17.0% 75.0%
kolmar the ubiquitous john carradine look very wear and wizened parma
leggy eyeful julie newmark batwoman on batman and cora a haggard tina
louise ginger on gilligan island be a trio of evil alien who need the
blood of young folk so they can make a y
Movie title: Evils of the Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 23.0% 17.0% 60.0%
as a result of be wrongfully accuse of murder a doctor and be put in a
mental institutions arnold masters plan bloody vengeance on everyone
directly or indirectly responsible for the death of his poor old
mother luckily for him he inherit a medallion
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.64 22.0% 18.0% 59.0%
kurilian photography be feature throughout this intrigue film although
promote a horror the sci-fi element be strong mental patient jim
hutton eliminate his enemy with accidents carry out through psychic
phenomena naturally this series of bizarre kil
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.84 15.0% 12.0% 72.0%
psychic killer be certainly a effective little horror film very much a
product of its era its a film with many flaws not little the shoddy
construction of certain scene and the general slow pace that never pay
off but at the same time it remain inter
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 12.0% 18.0% 70.0%
psycho killer flick be a penny a dozen but at little this one have
something about it psychic killer be release before the slasher craze
really kick off and be surprisingly much original than many film in
its class the idea behind the plot is of cour
Movie title: Psychic Killer
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 20.0% 12.0% 68.0%
its the classic story of good brother vs bad brother a the vampire son
of old king vlad handsome noble bore stefan and hideous jealous
scheming fascinate radu battle over the right to their inheritance at
stake sorry be ancient castle vladislas play
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.45 9.0% 6.0% 84.0%
thank you full moon pictures for restore vileness to the vampire
anders hover a the villainous radu be the type of fiendish demonic
monster that all vampire should be yet people today thank to genre
rapist like anne rice would rather watch vampire ga
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 26.0% 10.0% 64.0%
this be one of my all time favorite cheap corny vampire movies calvin
klein underwear model i means stefan the good vampires return to
transylvania to ascend the throne of vampiric royalty but manicure-
impaired and eternally drool half brother radu h
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 20.0% 18.0% 62.0%
subspecies like many other horror films get a raw deal on the majority
of movie-watchers have a hearty contempt for horror and when they
occasionally rend horror films they either want to laugh at them or
cringe at excessively gory scenes unfortunate
Movie title: Subspecies
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 7.000000000000001% 78.0%
guillermo del torous stylish and original take on the vampire legend
be one of the much strangely overlook and underrate film of the 1990
its film like this that make me want to watch film film that be fresh
unpredictable and so rich in symbolism tha
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 15.0% 10.0% 75.0%
severely underrate on this website cronos be a engage tale that
captivate the viewer for the entirety of its duration guillermo del
torous of ever film be a thoughtful heart-wrenching story which above
all manage to be fresh intrigue and unique while
Movie title: Cronos
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.56 11.0% 17.0% 72.0%
this movie isnt bad because it doesnt feature villain myers its bad
because the act be terrible the song be irritate and the story be
stupid i just try to get through it a part of a halloween marathon
give see the whole thing before but it just sucks
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.7 9.0% 12.0% 78.0%
this movie was well strange first off the title be halloween of for
that of us who have see john carpenters halloween we think myers kill
people but this movie doesnt even have myers in it so why be it call
halloween of second even if this movie stan
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.83 31.0% 11.0% 59.0%
i know this movie have its defenders but my lord it pretty bad the
lore be atrocious the motivation be inaner the lead guy be unknowingly
despicable however that song be perfect
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.89 14.000000000000002% 20.0% 67.0%
do i really need to say anything else then i hate this terrible movie
everything that be great about one and good about two have be removed
it look and feel cheap and tacky the of one be so slick good made and
good filmed this one look like a cheap 8
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 27.0% 7.000000000000001% 66.0%
i really like the idea of make halloween series a a anthology but if
they make this film good the producer would have be successful and
they can continue the anthology a what they wanted but a of people
love myers just too much and nobody can blame t
Movie title: Halloween III: Season of the Witch
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.61 11.0% 14.000000000000002% 75.0%
yes i give the film out of ism not proud where this movie be concern i
have no shame i love this movie from the moment i see it on new yorks
creature features way back in the late 1960 a a five year oldest five
this movie scare the crap out of me now
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 15.0% 9.0% 76.0%
this movie be release with the low of budget but at a time when
similarly themed movie be make just a cheaply a admittedly the last
time i see this movie be probably 1957 but it still stay in my mind
because the monster seem impossible to defeat up u
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 9.0% 3.0% 88.0%
from pasto colombia via law can calix colombia and orlando fl nine
years old a thats how old i be when crab monsters be released when do
i become a movie junkie probably from age or of who knows maybe even
of when the conversation turn to that schloc
Movie title: Attack of the Crab Monsters
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive Negative
0 positive 0.34 7.000000000000001% 7.000000000000001%
Neutral
0 85.0%
it bizarre preposterous silly campy creepy a bite gory a little scary
and a whole lot of fun where doe one begin with a film such a this
campy creepy bizarre for its time quite shock a decapitation and a
favorite of year to of year old boy watch chil
Movie title: Attack of the Crab Monsters
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.5 10.0% 12.0% 78.0%
the renowned plastic surgeon dry frank flamant helmut berger own the
clinique des mimosas in saint clouds while shop in paris during
christmas with his beloved sister ingrid flamant christiane jeans and
his lover and the head of the clinic nathalie b
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.28 15.0% 14.000000000000002% 71.0%
jess francois faceless be late 80 euro-exploitation with the typical
storyline of early 60 euro-exploitation namely a celebrate surgeon who
kidnap and kill beautiful woman in order to restore the beauty of his
own sister whoas face get horribly defor
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.8 10.0% 9.0% 81.0%
prolific director jess franco make a lot of crap during his career but
in his filmography there be several hide gem and faceless be
definitely one of them true to francois style the film be trashy and
sleazy throughout but its the eighty atmosphere t
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 17.0% 7.000000000000001% 77.0%
a wealthy father hire a private eye to go to france and track down his
miss daughter her disappearance can be attribute to a plastic surgeons
secret set-up in which he and his assistant kidnap young lady and keep
them in the clinics basement a year a
Movie title: Faceless
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 6.0% 14.000000000000002% 80.0%
first off understand my rate of ilsa ilsa by general movie standard be
not a good movie if you be to put it up against any of the so call
classic movies it would not stand up but that who search out ilsa she
wolf of the ss or any of the other in the
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.11 18.0% 19.0% 63.0%
when this movie of come out in the 70 it be a and street style
grindhouse pleaser that would have shock mainstream audiences however
with the advent of video few will be so shock today ilsa be impossible
to take seriously sure medical torture be carr
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 12.0% 8.0% 80.0%
ilsa she wolf of the ss be the of in the infamous series of
exploitation film feature buxom ball-breaker dyanne thorned these film
be a classic example of true exploitation cinema and should be check
out by any fan of extreme or exploitation films sh
Movie title: Ilsa: She Wolf of the SS
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 18.0% 3.0% 79.0%
this be one of that rare small movie which have a great plot decent
special effect for the time and good acting for the horror fan who doe
not require gore and shock value to enjoy a movie this be a real
treaty there be some minor flaw if you look cl
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 11.0% 9.0% 80.0%
avoiding death and what happen when we die have be recur theme
throughout all art form since the dawn of time despite the fact that
there be a lot of film that handle similar themes the asphyxy stand
out for its original and intrigue exactions the fi
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.72 17.0% 18.0% 64.0%
ism a big fan of hope lovecraft and this story have all the classic
elements this be classic horror set in edwardian england an amaze
discovery allow the character a chance at immortality but a with all
delve into the occult this one be fraught with
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.79 11.0% 9.0% 80.0%
the asphyxy a a the horror of death be one of the much original yet
unheralded english horror films set in 1870 england aristocrat sir
hugo robert stephens accidentally photograph a entity mythological
name asphyxy enter a persons body at their death
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.09 14.000000000000002% 13.0% 72.0%
when the asphyxy be release in 1973 the exorcist be about to change
the landscape of horror forever move the genre away from subtlety and
into the realm of graphic effect and makeup thats one of the reason
why the asphyxy be a box-office flop fondly
Movie title: The Asphyx
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 14.000000000000002% 5.0% 81.0%
the reptile be famous for the fact that it utilise the same set a the
brilliant plague of the zombies and a such you would expect the rest
of the film not to be up to hammers usual standards this couldnt be
far from the truth while this may not be ha
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 8.0% 76.0%
ray barrett and jennifer daniel inherit a small cottage in cornwall
barrettes brother die under mysterious circumstances and the new
couple soon see that people be not very friendly in the country john
gilling make this the same time he direct plague
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.03 9.0% 10.0% 81.0%
upon the mysterious death of his brother harry spalding gray barrett
and his wife valerie jennifer daniel decide to move to the inherit
cottage in a small village in the cornish countryside on arrival in
the village they be receive coldly by the loca
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.9 16.0% 13.0% 71.0%
a young couple harry and valerie spalding inherit and move into a
small cottage previously own by the husbands now decease brother
charles charles death be something of a mystery but none of the local
in the small cornish village want to discuss it o
Movie title: The Reptile
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 15.0% 25.0% 60.0%
take my word on this a tower of evil be a must see if youre a admirer
of raw vicious and undiscovered horror this film be so much fun i
canst believe i just find out about it now its cheap and nasty but
very imaginative and spirited tower of evil be
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 21.0% 69.0%
as early was horror flick go tower of evil a a horror of snape island
have a greater-than-expected amount of sex and goree unfortunately the
script be pretty stupid and the performance be generally bad ruin what
might ve be a decent little chillers s
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.85 10.0% 12.0% 78.0%
tower of evil aspect ratio 85 1sound format monowhilst search for
ancient treasure on a lighthouse-island off the british coastlines a
archaeological expedition become isolate from the mainland and be
stalk by a monstrous assassin trash classic from
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 8.0% 75.0%
sexy vintage british horror tale pack with traditional atmospheric fog
shade of gothic and hot young flesh from the firm buttock of the hunky
man to the smooth perky breast of the women this film exploit the 70
free love era three interconnect tale r
Movie title: Horror on Snape Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.92 15.0% 19.0% 66.0%
i know your think cellar dwellers that sound like a poor sad excuse of
a horror film with camp act and a low budget monster i dont think ill
bother with that well much fool you yes it have camp act and yes it
have a low budget monster but what do you
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.61 18.0% 12.0% 69.0%
this be a fun little horror film about a comic-book artist play by
jeffrey combs freak whose creation come to life and kill him in 1950
now the monster still hide in the basement of his house which be a
home to a group of artists cellar dwellers be a
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 17.0% 12.0% 71.0%
one can do wrong than this if theyre partial to the cheese horror of
the 1980s a decade when the genre really come to life not that its
anything special at all but it is reasonably amuse and thankfully
pretty short in duration 78 minute all told a pr
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 24.0% 11.0% 66.0%
cellar dweller 1988 be a 80 horror classic in my bookit be good fun it
have a interest plot and its short run time mean that it never outstay
its welcomed i love 80 horror and this be one of the memorable ones
for it have a really cool monster and it
Movie title: Cellar Dweller
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 18.0% 13.0% 69.0%
this really isnt too bad a film and be certainly a worthy sequel to
the original piranha work because it be tongue-in-cheek make fun of
the film it be parodying piranha ii try to be much serious but be so
cheesy that it manages by default to be just
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 5.0% 16.0% 80.0%
in a caribbean island a couple be find dead inside a sink ship the
scuba dive instructor of the local resort anne kimbrough tricia o neil
break in the morgue with her acquaintance tyler sherman steve marachuk
and find that the body have be eat in man
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.94 21.0% 15.0% 64.0%
sure its not the well movie ever made but they dont do this kind of
movie any more it have a bite of that early 80 charm over it and lance
henriksen be never bad in a movie sure the script blow but what a hell
its entertain a hell and the effect look
Movie title: Piranha II: The Spawning
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.8 10.0% 7.000000000000001% 83.0%
cathy stevens have be suffer dark dreams and believe they have
something do with her father after the death of her mother she travel
to political-torn romania to find her father however her investigate
get the local police question her motive and gai
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 17.0% 6.0% 77.0%
stuart gordon be a busy man back in 1990 aside from his surprisingly
good retell of edgar allen poems the pit and the pendulum and
something call robojox he also make this little know tv movie which
like the poe film be surprisingly good given that t
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 14.000000000000002% 6.0% 80.0%
daughter of darkness be a actually pretty good film with a few small
flaw to it spoilers arriving in romanian american katherine thatchers
mia sarah determine to find herself a new life while search through
the city with max dezso grass keep see a st
Movie title: Daughter of Darkness
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.16 6.0% 8.0% 85.0%
when the empire state building be be constructed another high-rise
skyscraper the chrysler building be its rival as far a i know this be
the only film to pay homage to the chrysler building the stand for
quetzacoatl a wing serpent from aztec mytholog
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 17.0% 7.000000000000001% 76.0%
if youre carry around inside your head a schema of moriarty a ben
stone assistant da on law and order the grim determined rigidly moral
prosecutory this movie will shake you up like a animate cardboard
halloween skeleton he be hardly ever at rest his
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.72 10.0% 8.0% 82.0%
the winged serpent be a trash movie classic and it also represent one
of the master of that cinema niches fine hours larry cohen direct this
movie which follow the standard monster movie formula and be blend
good with a theme of mass hysteria and a g
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 26.0% 5.0% 69.0%
be a fun film but the main problem with it be that monster in the
title be rarely see or be just a simple plot device and the end result
be sorta unsatisfying the story be much about the aztec cult and their
human sacrifice to their god a quetzalcoat
Movie title: Q
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.84 10.0% 14.000000000000002% 76.0%
this thing be so mind-boggling that word almost fail me i literally
spend 80 of it with my jaw drop in utter disbeliefs punctuate by burst
of incredulous laughter nothing in it make any sense at all i means
our castaway arrive on the island in a perf
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative 0.05 8.0% 7.000000000000001% 85.0%
briefly speaking nothing in this movie make any sense at all either on
the level of overall plot or of individual scene or even lines a this
would have to be one of the much relentlessly stupid movie ever made a
as soon a it look like something be re
Movie title: Frankenstein Island
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.91 10.0% 12.0% 77.0%
with the recent box-office success achieve by the late remake of 1974
the texas chainsaw massacre its worth look back at tobe hoopers
original horror classic a the movie tell a fairly simple tale at heart
a group of five teenager drive through rural
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.46 11.0% 11.0% 78.0%
i decide to get this movie for my annual halloween scarefest a week
early as the new one be out in theatres i feel a need to see the
original first and bow be i glad i did the whole movie just blow me
away i turn off all the phones chat program and s
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.81 11.0% 9.0% 81.0%
those who have post here compare tobe hoopers one and only masterpiece
with the dreadful remake be presumably young child with no real
understand of cinema the 1974 film be the antithesis of the slick mtv-
influenced cynical cash-in mentality that inf
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.23 14.000000000000002% 15.0% 71.0%
the texas chain saw massacre can and will be reinterpret by critic and
theorist for decade to come it be shoot in the summer of 1973 during
the aftermath of the vietnam war and the munich olympic massacre at
the height of the watergate scandal and th
Movie title: The Texas Chain Saw Massacre
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 12.0% 19.0% 69.0%
the texas chainsaw massacre be a terrible film i know go in it would
be nothing like the original and be completely fine with that but this
movie go out of its way to be a ridiculous a possible the genuine
scare from the original have be replace by a
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 15.0% 21.0% 64.0%
texas chainsaw massacre be one of the much misunderstand movie of all
time i see texas chainsaw massacre when it be release in theater back
in 1986 i love this horror flick then but everyone else hate it
critics trashed it even many horror fans of th
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 10.0% 18.0% 72.0%
disclaimers do not try to remove your hemorrhoid with a chainsaw it
will not save you a trip to the hospital spoilers ok let me tell you
why the texas chainsaw sequel dont work the original film be slightly
exempt from this but when you have someone
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 4.0% 20.0% 76.0%
potential spoilers ahead when id of hear of this movie it be describe
to me by my cousin a the scary and creepy movie theyd ever seen so it
always have a place in my mind a a movie to avoid however when i
finally do catch it i have to say i disagree
Movie title: The Texas Chainsaw Massacre 2
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 14.000000000000002% 8.0% 78.0%
four snotty rich kid at a prep school in england want to get out of a
field trip to wales where they would have to eat fish paste sandwiches
and be otherwise uncomfortable they also dont want to get out of the
trip by just return home over the school
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 36.0% 3.0% 61.0%
truly fresh and new ideas rarely make it to film the hole base on the
novel after the hole by guy burt be a good exception to this it be
seldom that we see a top quality thriller but this movie be good cast
good directed and work wonderfully the stor
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 17.0% 7.000000000000001% 76.0%
ive be anticipate this film for a while since it be thora birches of
role since american beauty so the hole the hole have be hype up a a
horror psychological film in which student be lock down a old wartime
bunker -the- hole to avoid a bore geography
Movie title: The Hole
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 23.0% 6.0% 71.0%
the of half of this film be like anything youd expect from quentin
tarantino and robert rodriguez cool 70 soundtracks snappy dialogue
really good editing lot of violence and a slightly unconvincing role
by qt himself i think it be disturbing stylish
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.85 14.000000000000002% 9.0% 77.0%
i enjoy this film but i be leave a little puzzle at the end by what id
just watch in term of what type of movie this visit start off a a very
tarantino-esquire film its clear that he write it a his famous
dialogue be present its a enjoyable crime thr
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 16.0% 11.0% 73.0%
from dusk till dawn be kind of brilliant brutal bloody tarantino
horror silly and funny it be brilliant brutal bloody horror silly and
funny the way sam raisins the evil dead be all that things the twist
here be a screenplay write by quentin tarantin
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.84 19.0% 17.0% 64.0%
i love this film for many reasons for one the switch from a crime
thriller to a horror thriller be seamless i for one have not hear much
about this film before i watch it and i assume the tv times be mistake
in call this a gory horror thriller to me
Movie title: From Dusk Till Dawn
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 26.0% 14.000000000000002% 60.0%
if there ever be a film which deserve to be call haunting its this one
excellent music wonderful dream-like atmosphere masochistically-grim
mood verge on nihilisms mystical overtones a sympathetic supernatural
yet human villain its just wonderful dis
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 25.0% 65.0%
the titular dust devil be a evil demon that prey only on that who have
lose the reason to live this include wendy who have break up with her
husband and be now make her way aimlessly across the south african
desert feeling lonely she pick up a stray
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.74 5.0% 11.0% 84.0%
only this check the final cut version and you ll discover that much of
the flaw for which this movie be criticize be gone with its of minute
of footage previously cut and no re-dubbing story make sense of course
because of all the reference to art-mo
Movie title: Dust Devil
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 14.000000000000002% 6.0% 80.0%
jesus francois 1970 vampyros lesbos inexplicably title above el sign
del vampiro be the masterpiece of all euro-exploitation genres you can
swoon over the greenaway light in suspiria you can thrill to the
comic-book metaphysics of the beyond a few so
Movie title: Vampyros Lesbos
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 26.0% 15.0% 59.0%
fright night 1985 be a awesome true classic vampire horror film that
be write and direct by tom holland him self i love the remake but i
just love the original much better in here you have monsters a real
vampire and werewolf in it chris abandon do a
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 18.0% 16.0% 66.0%
fright night lost boys and near dark be the holy trinity of was
vampire flicks and arguably three of the well vampire movie of all-
time just recently i return to this piece of 80 horror gold and i have
to say i enjoy it just a much a the of time i se
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 24.0% 16.0% 60.0%
is it the 80 cheesiness fashion clichã©s music its impressive fix the
story who knows time make justice to fright night one of the well
vampire movie ever and probably the well of the 80 when it come out in
1985 the slasher genre be on its high peak
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 20.0% 15.0% 65.0%
fright night be a movie that have stick with me for years recently i
be able to get it on dvd and have be watch it and try to convince my
friend to watch it ever since it have its flaw but time have be kinder
i think to fright night than it have be t
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.15 16.0% 16.0% 68.0%
title fright night director tom holland stars roddy mcdowell chris
sarandon william ragsdale amanda bears and stephen geoffrey released
1985 review very few minor spoilers ism sure many of you here know
this movie by heart and have see it countless h
Movie title: Fright Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 24.0% 12.0% 63.0%
of the slasher film that jamie lee curtis would appear in after the
masterful halloween 1978 terror train be truly the best its also one
of the well genre entry of the early 80s college student hold a
costume party on a train only to have a mask stra
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.86 12.0% 15.0% 73.0%
the 1980 horror film terror train may well be describe a halloween on
the rails a in it a fraternity have a party take place on a train
speed through the canadian night a and then one by one without anyone
know it a situation make even much complicat
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.28 20.0% 18.0% 63.0%
jamie lee curtis be once again cement her status a the scream queen
after the success of halloween the fog and prom night but this one
unfortunately wasnt a successful a the previous one and remain the
little remembered but that doesnt mean that this
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 8.0% 17.0% 75.0%
the picture narrate how a group of fraternity execute a initiation
prank to a young boy who be emotionally frighten years late a
masquerade party be celebrate on charter hire train and someone mask
wear realize a series of body count scabrously murde
Movie title: Terror Train
SENTIMENT STATS: \
Predicted Sentiment Polarity Score Positive
0 negative 0.08 14.000000000000002%
Negative Neutral
0 14.000000000000002% 73.0%
a fraternity prank on a weakling of a student go horribly wrong when
the victim be emotionally affect by it and end up in a institutions
now three year have past and the senior fraternity friend have decide
to celebrate their final outing with a new
Movie title: Terror Train
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 26.0% 10.0% 64.0%
my bloody valentine be one of the well 80 slasher films it be one of
my personal favorite slasher films i love this film to death it be
good make 80 slasher film from george mihalka it be a canadian slasher
that be happen on a holiday valentine day a
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.71 18.0% 20.0% 63.0%
in the wake of halloween and friday the 13th many similar film be
released much of which have little or no distinguish features one of
the much effective and atmospheric be my bloody valentine shot in
canada and very infamous for its brutal battle wi
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 17.0% 11.0% 71.0%
twenty year ago harry warden go nut and slaughter a bunch of people on
valentines day the mine town he hail from cancel subsequent v-day
dances but when they try set one up again warden seemingly return with
his pickax ready to hack the local kid up
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.31 18.0% 18.0% 64.0%
the 1980 be and remain one of the much controversial time period in
the history of the horror genre on one hand it see the birth of
several of the genres great film and many of the much entertain film
that still have historical significance on the ot
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.96 21.0% 12.0% 67.0%
my bloody valentine be one of the well and much well-made slasher
flick of the 80 its also one of the well holiday themed horror movie
around craze miner be determine to stop the celebration of valentines
day in a small nova scotia town with the help
Movie title: My Bloody Valentine
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.97 20.0% 9.0% 71.0%
my brother and i use to watch this movie all the time probably when it
be on hbo back in the day it be a nice piece of nostalgias since i
have view it so much a a kid it be like go back and watch a movie you
almost know by heart but at the same time
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 26.0% 2.0% 72.0%
one of my all-time favourites a nice idea in the spirit of the care or
christine with great action mostly of well-show car chase in tucson
arizona the character be good construct and on the whole good
implement by the actors with nick cassavetes stea
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.98 12.0% 18.0% 70.0%
it make me laugh when i read bad review of this movie no one claim it
be a classic no claim it would win award or prize for depth of
storyline what it doe have be earnest performances fantastic fx amaze
score and very pretty photography yes laugh at
Movie title: The Wraith
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 16.0% 11.0% 73.0%
one of the halloween follow-up that would give jamie lee curtis the
title of scream queen children accidentally cause the death of a
little girl now year late they be in high school and get ready for the
promo however it seem someone else be plan on
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.91 14.000000000000002% 13.0% 74.0%
prom night emerge at the begin of a decade which also mark a decade
for the rise and fall of slasher film a we know them along with terror
train and the fog prom night be one of jamie lee curtiss much well-
known return to the genre after halloween th
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 7.000000000000001% 19.0% 74.0%
prom night be a excellent canadian horror mystery movie from 1980 it
start with a group of kid play a game in a abandon build that turn
horribly wrong a young girl they be pick on fall out the top window to
her death the kid decide to keep quiet abou
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 20.0% 14.000000000000002% 66.0%
i of see prom night back when i be year old but didnt appreciate it a
a film until re-watching it at 19 watching it a a time be like
discover a priceless gem and i must say a a screenwriters i still look
to this movie a motivation and inspiration unl
Movie title: Prom Night
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.92 22.0% 18.0% 60.0%
the house on sorority row be one of the well tale of vengeance in the
slasher genre sorority girl pull a prank on their house mother only
for her to end up dead and the girl leave in a world of trouble they
believe they have cover up the crime but wh
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.04 10.0% 10.0% 80.0%
the house on sorority rows be above your average slasher flick its up
there with halloween follower like friday the 13th prom night my
bloody valentine and sleepaway camp unlike much slice-and-dice movies
the house on sorority rows actually have a pl
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 21.0% 11.0% 68.0%
i catch this movie on vhs in the early 90s have missed it in the was i
dont know how i just re-watched it tonight and i must say yes its a
typical was slasher movie but it have great humor and great suspense
and a really creepy killer the music just
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.81 10.0% 11.0% 79.0%
better than average slasher flick about a group of sorority babe who
accidentally kill someone during a prank and try to cover it up later
theyre murder one by one by until the inevitable final girl vs the
killer showdown all this thing seem to have
Movie title: The House on Sorority Row
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -1.0 14.000000000000002% 24.0% 62.0%
from ken russell the devils to jesus francois love letters of a
portuguese nun from sergio grievous sinful nuns of st valentine to
gianfranco mingozzi classic flavia the heretics and everything in
between i be a self-confessed nunsploitation freak i
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 27.0% 9.0% 64.0%
a very very silly film not once will you feel horror or revulsion
unless you be the sensitive type or a nun but you may smirks and you
may laugh and you may even find yourself cheer on dear old sister
gertrude a she go on her rampage of false tooth d
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.97 15.0% 18.0% 67.0%
killer nun be a crossover between two of sleaze cinemas much popular
subgenres the graphically title nunsploitation and the much popular
italian thriller know a gallop i canst say ism very experience with
the former but ism a big fan of the latter an
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.93 19.0% 12.0% 69.0%
far well than i remember think on my of view but that be a while ago
and now i think of it one of my of in this field probably not a good
one to encounter of because it really be such a strange one pretty
surreal with nun drift down corridors gown sp
Movie title: Killer Nun
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.95 15.0% 11.0% 74.0%
i love just about everything the late al adamson direct in his long
and vary career but the possession of nurse sherrie stand head and
shoulder above fun yet admittedly grade-z schlockfests like horror of
the blood monsters and blood of ghastly horro
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.66 11.0% 8.0% 81.0%
i buy this on vhs a terror hospital and when i get home i check iadb
and be like org its the legendary nurse sherri so herems another one
from al adamson who have clearly learn some minuscule amount about
film-making since the blood of dracula castle
Movie title: Nurse Sherri
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 15.0% 8.0% 77.0%
this be another film i remember from childhood from the day of regular
tv free broadcast and adjust the rabbit ears for reception a a crappy
but atmospheric british monster picture now not only on cable but on a
premium service i come across it again
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.88 14.000000000000002% 9.0% 76.0%
this film be a wonder if one be to happen across it one sunday
afternoon sober and alone one may struggle to immediately spot its
worth however do not pass this film by director balch have here craft
a masterclass in horror aesthetic and inconsistenc
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.84 10.0% 17.0% 72.0%
horror hospital be a excellent slice of vintage british horror produce
in the early 70 when film be get gory notice the numerous
decapitations gough be on top nasty form a a doctor who perform brain
experiment sound familiar on his young victims and
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.88 13.0% 14.000000000000002% 73.0%
a wear out musician decide to take break and go a relax vacation he
choose to stay at health farm locate out in the country and on the way
there he meet a girl on the train go to the same place to see her
aunty the mysteriously means but cripple dry
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 negative -0.99 10.0% 16.0% 74.0%
horror hospital start with a black rolls royce park in some wood
somewhere in england dry storm micheal gough crack his knuckle a he
wait in the back with his assistant a dwarf name frederick skip martin
a teenage couple be see run through the wood c
Movie title: Horror Hospital
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.98 21.0% 2.0% 76.0%
this be the well rendition of dracula ever capture on film gary oldman
dark and sensual persona outshine any other vampire who ever dare put
on a cape to me gary holdman be the much talented and underrate actor
every he become who he be playing howev
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 27.0% 9.0% 64.0%
though i do not read the book and canst compare it to the movie i find
bram stokers dracula quiet excellent the costume design lighting
camera work make-up-fx be all very good and make for a very
atmospheric movie there be some truly outstanding thin
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.99 18.0% 12.0% 71.0%
one of the well know and much popular dracula film be by francis ford
coppola at the time he really hadnt make a hit film since the
godfather he be go bankrupt so what well way to get out of debt than
to make something that be pretty much a guarantee
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.68 14.000000000000002% 11.0% 75.0%
as be the case with many of this latter-day horror movies this be
visually stunning this one be particularly so with beautiful colors
wild special effects lavish set and a handful of pretty women lead by
winona ryder it isnt all beauty there be some
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 1.0 25.0% 7.000000000000001% 68.0%
francis ford coppola adaptation of bram stokers classic vampire story
be unlike any other film i have ever seen a beautifully craft gothic
horror romance bram stokers dracula be infinitely rich in haunt
atmosphere but a conventional love story preven
Movie title: Dracula
SENTIMENT STATS:
Predicted Sentiment Polarity Score Positive Negative Neutral
0 positive 0.82 14.000000000000002% 10.0% 76.0%
i expect a jaws clone and get a movie about threesomes after i get
over the initial shock i actually find tintorera to be a sweet almost
classy little male fantasy tintorera be actually a sex and thus
perfectly capture the feel of the seventy take on
Movie title: Tintorera: Killer Shark
vader_preds = [doc.vader_sent_score for doc in vader_output]
print(confusion_matrix(np.array(true_targets), np.array(vader_preds).astype(int)))
print('\n')
print(classification_report(np.array(true_targets), np.array(vader_preds).astype(int)))
#classification accuracy score
vader_accuracy = accuracy_score(np.array(true_targets), np.array(vader_preds).astype(int))
print("Correct classification rate:", vader_accuracy)
print('\n')
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
conf_matrix = confusion_matrix(np.array(true_targets), np.array(vader_preds).astype(int))
plt.figure(figsize=(12, 10))
sns.heatmap(conf_matrix, annot=True, fmt="d", annot_kws={"size": 16});
plt.title('Confusion Matrix: (VADER Vocabulary-Based Sentiment Analyzer) \n', fontsize=20)
plt.ylabel('True label', fontsize=15)
plt.xlabel('Predicted label', fontsize=15)
plt.show()
[[ 86 29]
[265 428]]
precision recall f1-score support
0 0.25 0.75 0.37 115
1 0.94 0.62 0.74 693
avg / total 0.84 0.64 0.69 808
Correct classification rate: 0.6361386138613861
#Visualize confusion matrix as a heatmap
sns.set(font_scale=3)
model_types = 'Vocabulary-Based Sentiment Analyzers: \n Pattern, AFINN, SentiWordNet, and VADER'
threshold = 0.1
conf_matrix_pattern = confusion_matrix(np.array(true_targets), (np.array(pattern_preds)>threshold).astype(int))
threshold = 0.0
conf_matrix_afinn = confusion_matrix(np.array(true_targets), (np.array(afinn_preds)>threshold).astype(int))
conf_matrix_sentiwordnet = confusion_matrix(np.array(true_targets), np.array(sentiwordnet_preds).astype(int))
conf_matrix_vader = confusion_matrix(np.array(true_targets), np.array(vader_preds).astype(int))
fig = plt.figure(constrained_layout=True, figsize=(26,26))
gs = GridSpec(2, 2, figure=fig)
ax1 = fig.add_subplot(gs[0, 0])
ax2 = fig.add_subplot(gs[0, -1])
ax3 = fig.add_subplot(gs[-1, 0])
ax4 = fig.add_subplot(gs[-1, -1])
sns.heatmap(conf_matrix_pattern, annot=True, fmt="d", annot_kws={"size": 16}, ax=ax1)
ax1.set_xlabel('Predicted Label: (Pattern)')
ax1.set_ylabel('True Label')
sns.heatmap(conf_matrix_afinn, annot=True, fmt="d", annot_kws={"size": 16}, ax=ax2)
ax2.set_xlabel('Predicted Label: (AFINN) ')
ax2.set_ylabel('True Label')
sns.heatmap(conf_matrix_sentiwordnet, annot=True, fmt="d", annot_kws={"size": 16}, ax=ax3)
ax3.set_xlabel('Predicted Label: (SentiWordNet) ')
ax3.set_ylabel('True Label')
sns.heatmap(conf_matrix_vader, annot=True, fmt="d", annot_kws={"size": 16}, ax=ax4)
ax4.set_xlabel('Predicted Label: (VADER) ')
ax4.set_ylabel('True Label')
fig.suptitle('Confusion Matrices: {} \n'.format(model_types))
plt.show()
plt.tight_layout()
<Figure size 576x396 with 0 Axes>
accuracy_scores = dict([('DBOW_DNN_SMOTE',dbow_dnn_smote_accuracy),
('DBOW_DNN_ADASYN',dbow_dnn_adasyn_accuracy),
('PATTERN',pattern_accuracy),
('AFINN',afinn_accuracy),
('SentiWordNet',sentiwordnet_accuracy),
('VADER',vader_accuracy)])
accuracy_scores
{'AFINN': 0.7004950495049505,
'DBOW_DNN_ADASYN': 0.8517462580185318,
'DBOW_DNN_SMOTE': 0.8520923520923521,
'PATTERN': 0.5655940594059405,
'SentiWordNet': 0.7883663366336634,
'VADER': 0.6361386138613861}
sorted_accuracy_scores = [(k, accuracy_scores[k]) for k in sorted(accuracy_scores, key=accuracy_scores.get, reverse=True)]
print('The Sorted Accuracy Scores of the Implemented Classifiers are: \n')
for k,v in sorted_accuracy_scores:
print(k + ':', v, '\n')
The Sorted Accuracy Scores of the Implemented Classifiers are: DBOW_DNN_SMOTE: 0.8520923520923521 DBOW_DNN_ADASYN: 0.8517462580185318 SentiWordNet: 0.7883663366336634 AFINN: 0.7004950495049505 VADER: 0.6361386138613861 PATTERN: 0.5655940594059405
print('The best performing sentiment classifier is {}!'.format(sorted_accuracy_scores[0]))
The best performing sentiment classifier is ('DBOW_DNN_SMOTE', 0.8520923520923521)!